setup.py 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452
  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 recursive_search(search_list, field):
  39. """
  40. Takes a list with nested dicts, and searches all dicts for a key of the
  41. field provided. If the items in the list are not dicts, the items are not
  42. processed.
  43. """
  44. fields_found = []
  45. for item in search_list:
  46. if isinstance(item, dict):
  47. for key, value in item.items():
  48. if key == field:
  49. fields_found.append(value)
  50. elif isinstance(value, list):
  51. results = recursive_search(value, field)
  52. for result in results:
  53. fields_found.append(result)
  54. return fields_found
  55. def find_playbooks():
  56. ''' find Ansible playbooks'''
  57. all_playbooks = set()
  58. included_playbooks = set()
  59. exclude_dirs = ('adhoc', 'tasks')
  60. for yaml_file in find_files(
  61. os.path.join(os.getcwd(), 'playbooks'),
  62. exclude_dirs, None, r'\.ya?ml$'):
  63. with open(yaml_file, 'r') as contents:
  64. for task in yaml.safe_load(contents) or {}:
  65. if not isinstance(task, dict):
  66. # Skip yaml files which are not a dictionary of tasks
  67. continue
  68. if 'include' in task or 'import_playbook' in task:
  69. # Add the playbook and capture included playbooks
  70. all_playbooks.add(yaml_file)
  71. if 'include' in task:
  72. directive = task['include']
  73. else:
  74. directive = task['import_playbook']
  75. included_file_name = directive.split()[0]
  76. included_file = os.path.normpath(
  77. os.path.join(os.path.dirname(yaml_file),
  78. included_file_name))
  79. included_playbooks.add(included_file)
  80. elif 'hosts' in task:
  81. all_playbooks.add(yaml_file)
  82. return all_playbooks, included_playbooks
  83. class OpenShiftAnsibleYamlLint(Command):
  84. ''' Command to run yamllint '''
  85. description = "Run yamllint tests"
  86. user_options = [
  87. ('excludes=', 'e', 'directories to exclude'),
  88. ('config-file=', 'c', 'config file to use'),
  89. ('format=', 'f', 'format to use (standard, parsable)'),
  90. ]
  91. def initialize_options(self):
  92. ''' initialize_options '''
  93. # Reason: Defining these attributes as a part of initialize_options is
  94. # consistent with upstream usage
  95. # Status: permanently disabled
  96. # pylint: disable=attribute-defined-outside-init
  97. self.excludes = None
  98. self.config_file = None
  99. self.format = None
  100. def finalize_options(self):
  101. ''' finalize_options '''
  102. # Reason: These attributes are defined in initialize_options and this
  103. # usage is consistant with upstream usage
  104. # Status: permanently disabled
  105. # pylint: disable=attribute-defined-outside-init
  106. if isinstance(self.excludes, string_types):
  107. self.excludes = self.excludes.split(',')
  108. if self.format is None:
  109. self.format = 'standard'
  110. assert (self.format in ['standard', 'parsable']), (
  111. 'unknown format {0}.'.format(self.format))
  112. if self.config_file is None:
  113. self.config_file = '.yamllint'
  114. assert os.path.isfile(self.config_file), (
  115. 'yamllint config file {0} does not exist.'.format(self.config_file))
  116. def run(self):
  117. ''' run command '''
  118. if self.excludes is not None:
  119. print("Excludes:\n{0}".format(yaml.dump(self.excludes, default_flow_style=False)))
  120. config = YamlLintConfig(file=self.config_file)
  121. has_errors = False
  122. has_warnings = False
  123. if self.format == 'parsable':
  124. format_method = Format.parsable
  125. else:
  126. format_method = Format.standard_color
  127. for yaml_file in find_files(os.getcwd(), self.excludes, None, r'\.ya?ml$'):
  128. first = True
  129. with open(yaml_file, 'r') as contents:
  130. for problem in linter.run(contents, config):
  131. if first and self.format != 'parsable':
  132. print('\n{0}:'.format(os.path.relpath(yaml_file)))
  133. first = False
  134. print(format_method(problem, yaml_file))
  135. if problem.level == linter.PROBLEM_LEVELS[2]:
  136. has_errors = True
  137. elif problem.level == linter.PROBLEM_LEVELS[1]:
  138. has_warnings = True
  139. if has_errors or has_warnings:
  140. print('yamllint issues found')
  141. raise SystemExit(1)
  142. class OpenShiftAnsiblePylint(PylintCommand):
  143. ''' Class to override the default behavior of PylintCommand '''
  144. # Reason: This method needs to be an instance method to conform to the
  145. # overridden method's signature
  146. # Status: permanently disabled
  147. # pylint: disable=no-self-use
  148. def find_all_modules(self):
  149. ''' find all python files to test '''
  150. exclude_dirs = ('.tox', 'test', 'tests', 'git')
  151. modules = []
  152. for match in find_files(os.getcwd(), exclude_dirs, None, r'\.py$'):
  153. package = os.path.basename(match).replace('.py', '')
  154. modules.append(('openshift_ansible', package, match))
  155. return modules
  156. def get_finalized_command(self, cmd):
  157. ''' override get_finalized_command to ensure we use our
  158. find_all_modules method '''
  159. if cmd == 'build_py':
  160. return self
  161. # Reason: This method needs to be an instance method to conform to the
  162. # overridden method's signature
  163. # Status: permanently disabled
  164. # pylint: disable=no-self-use
  165. def with_project_on_sys_path(self, func, func_args, func_kwargs):
  166. ''' override behavior, since we don't need to build '''
  167. return func(*func_args, **func_kwargs)
  168. class OpenShiftAnsibleGenerateValidation(Command):
  169. ''' Command to run generated module validation'''
  170. description = "Run generated module validation"
  171. user_options = []
  172. def initialize_options(self):
  173. ''' initialize_options '''
  174. pass
  175. def finalize_options(self):
  176. ''' finalize_options '''
  177. pass
  178. # self isn't used but I believe is required when it is called.
  179. # pylint: disable=no-self-use
  180. def run(self):
  181. ''' run command '''
  182. # find the files that call generate
  183. generate_files = find_files('roles',
  184. ['inventory',
  185. 'test',
  186. 'playbooks'],
  187. None,
  188. 'generate.py$')
  189. if len(generate_files) < 1:
  190. print('Did not find any code generation. Please verify module code generation.') # noqa: E501
  191. raise SystemExit(1)
  192. errors = False
  193. for gen in generate_files:
  194. print('Checking generated module code: {0}'.format(gen))
  195. try:
  196. sys.path.insert(0, os.path.dirname(gen))
  197. # we are importing dynamically. This isn't in
  198. # the python path.
  199. # pylint: disable=import-error
  200. import generate
  201. reload_module(generate)
  202. generate.verify()
  203. except generate.GenerateAnsibleException as gae:
  204. print(gae.args)
  205. errors = True
  206. if errors:
  207. print('Found errors while generating module code.')
  208. raise SystemExit(1)
  209. print('\nAll generate scripts passed.\n')
  210. class OpenShiftAnsibleSyntaxCheck(Command):
  211. ''' Command to run Ansible syntax check'''
  212. description = "Run Ansible syntax check"
  213. user_options = []
  214. # Colors
  215. FAIL = '\033[31m' # Red
  216. ENDC = '\033[0m' # Reset
  217. def initialize_options(self):
  218. ''' initialize_options '''
  219. pass
  220. def finalize_options(self):
  221. ''' finalize_options '''
  222. pass
  223. def deprecate_jinja2_in_when(self, yaml_contents, yaml_file):
  224. ''' Check for Jinja2 templating delimiters in when conditions '''
  225. test_result = False
  226. failed_items = []
  227. search_results = recursive_search(yaml_contents, 'when')
  228. for item in search_results:
  229. if isinstance(item, str):
  230. if '{{' in item or '{%' in item:
  231. failed_items.append(item)
  232. else:
  233. for sub_item in item:
  234. if '{{' in sub_item or '{%' in sub_item:
  235. failed_items.append(sub_item)
  236. if len(failed_items) > 0:
  237. print('{}Error: Usage of Jinja2 templating delimiters in when '
  238. 'conditions is deprecated in Ansible 2.3.\n'
  239. ' File: {}'.format(self.FAIL, yaml_file))
  240. for item in failed_items:
  241. print(' Found: "{}"'.format(item))
  242. print(self.ENDC)
  243. test_result = True
  244. return test_result
  245. def deprecate_include(self, yaml_contents, yaml_file):
  246. ''' Check for usage of include directive '''
  247. test_result = False
  248. search_results = recursive_search(yaml_contents, 'include')
  249. if len(search_results) > 0:
  250. print('{}Error: The `include` directive is deprecated in Ansible 2.4.\n'
  251. 'https://github.com/ansible/ansible/blob/devel/CHANGELOG.md\n'
  252. ' File: {}'.format(self.FAIL, yaml_file))
  253. for item in search_results:
  254. print(' Found: "include: {}"'.format(item))
  255. print(self.ENDC)
  256. test_result = True
  257. return test_result
  258. def run(self):
  259. ''' run command '''
  260. has_errors = False
  261. print('#' * 60)
  262. print('Ansible Deprecation Checks')
  263. exclude_dirs = ('adhoc', 'files', 'meta', 'vars', 'defaults', '.tox')
  264. for yaml_file in find_files(
  265. os.getcwd(), exclude_dirs, None, r'\.ya?ml$'):
  266. with open(yaml_file, 'r') as contents:
  267. yaml_contents = yaml.safe_load(contents)
  268. if not isinstance(yaml_contents, list):
  269. continue
  270. # Check for Jinja2 templating delimiters in when conditions
  271. result = self.deprecate_jinja2_in_when(yaml_contents, yaml_file)
  272. has_errors = result or has_errors
  273. # Check for usage of include: directive
  274. result = self.deprecate_include(yaml_contents, yaml_file)
  275. has_errors = result or has_errors
  276. if not has_errors:
  277. print('...PASSED')
  278. all_playbooks, included_playbooks = find_playbooks()
  279. print('#' * 60)
  280. print('Invalid Playbook Include Checks')
  281. invalid_include = []
  282. for playbook in included_playbooks:
  283. # Ignore imported playbooks in 'common', 'private' and 'init'. It is
  284. # expected that these locations would be imported by entry point
  285. # playbooks.
  286. # Ignore playbooks in 'aws', 'gcp' and 'openstack' because these
  287. # playbooks do not follow the same component entry point structure.
  288. # Ignore deploy_cluster.yml and prerequisites.yml because these are
  289. # entry point playbooks but are imported by playbooks in the cloud
  290. # provisioning playbooks.
  291. ignored = ('common', 'private', 'init',
  292. 'aws', 'gcp', 'openstack',
  293. 'deploy_cluster.yml', 'prerequisites.yml')
  294. if any(x in playbook for x in ignored):
  295. continue
  296. invalid_include.append(playbook)
  297. if invalid_include:
  298. print('{}Invalid included playbook(s) found. Please ensure'
  299. ' component entry point playbooks are not included{}'.format(self.FAIL, self.ENDC))
  300. invalid_include.sort()
  301. for playbook in invalid_include:
  302. print('{}{}{}'.format(self.FAIL, playbook, self.ENDC))
  303. has_errors = True
  304. if not has_errors:
  305. print('...PASSED')
  306. print('#' * 60)
  307. print('Ansible Playbook Entry Point Syntax Checks')
  308. # Evaluate the difference between all playbooks and included playbooks
  309. entrypoint_playbooks = sorted(all_playbooks.difference(included_playbooks))
  310. print('Entry point playbook count: {}'.format(len(entrypoint_playbooks)))
  311. for playbook in entrypoint_playbooks:
  312. print('-' * 60)
  313. print('Syntax checking playbook: {}'.format(playbook))
  314. # Error on any entry points in 'common' or 'private'
  315. invalid_entry_point = ('common', 'private')
  316. if any(x in playbook for x in invalid_entry_point):
  317. print('{}Invalid entry point playbook or orphaned file. Entry'
  318. ' point playbooks are not allowed in \'common\' or'
  319. ' \'private\' directories{}'.format(self.FAIL, self.ENDC))
  320. has_errors = True
  321. # --syntax-check each entry point playbook
  322. try:
  323. # Create a host group list to avoid WARNING on unmatched host patterns
  324. tox_ansible_inv = os.environ['TOX_ANSIBLE_INV_PATH']
  325. subprocess.check_output(
  326. ['ansible-playbook', '-i', tox_ansible_inv,
  327. '--syntax-check', playbook, '-e', '@{}_extras'.format(tox_ansible_inv)]
  328. )
  329. except subprocess.CalledProcessError as cpe:
  330. print('{}Execution failed: {}{}'.format(
  331. self.FAIL, cpe, self.ENDC))
  332. has_errors = True
  333. if has_errors:
  334. raise SystemExit(1)
  335. class UnsupportedCommand(Command):
  336. ''' Basic Command to override unsupported commands '''
  337. user_options = []
  338. # Reason: This method needs to be an instance method to conform to the
  339. # overridden method's signature
  340. # Status: permanently disabled
  341. # pylint: disable=no-self-use
  342. def initialize_options(self):
  343. ''' initialize_options '''
  344. pass
  345. # Reason: This method needs to be an instance method to conform to the
  346. # overridden method's signature
  347. # Status: permanently disabled
  348. # pylint: disable=no-self-use
  349. def finalize_options(self):
  350. ''' initialize_options '''
  351. pass
  352. # Reason: This method needs to be an instance method to conform to the
  353. # overridden method's signature
  354. # Status: permanently disabled
  355. # pylint: disable=no-self-use
  356. def run(self):
  357. ''' run command '''
  358. print("Unsupported command for openshift-ansible")
  359. setup(
  360. name='openshift-ansible',
  361. license="Apache 2.0",
  362. cmdclass={
  363. 'install': UnsupportedCommand,
  364. 'develop': UnsupportedCommand,
  365. 'build': UnsupportedCommand,
  366. 'build_py': UnsupportedCommand,
  367. 'build_ext': UnsupportedCommand,
  368. 'egg_info': UnsupportedCommand,
  369. 'sdist': UnsupportedCommand,
  370. 'lint': OpenShiftAnsiblePylint,
  371. 'yamllint': OpenShiftAnsibleYamlLint,
  372. 'generate_validation': OpenShiftAnsibleGenerateValidation,
  373. 'ansible_syntax': OpenShiftAnsibleSyntaxCheck,
  374. },
  375. packages=[],
  376. )