setup.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422
  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_entrypoint_playbooks():
  56. '''find entry point playbooks as defined by openshift-ansible'''
  57. 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. 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. playbooks.add(yaml_file)
  82. # Evaluate the difference between all playbooks and included playbooks
  83. entrypoint_playbooks = sorted(playbooks.difference(included_playbooks))
  84. print('Entry point playbook count: {}'.format(len(entrypoint_playbooks)))
  85. return entrypoint_playbooks
  86. class OpenShiftAnsibleYamlLint(Command):
  87. ''' Command to run yamllint '''
  88. description = "Run yamllint tests"
  89. user_options = [
  90. ('excludes=', 'e', 'directories to exclude'),
  91. ('config-file=', 'c', 'config file to use'),
  92. ('format=', 'f', 'format to use (standard, parsable)'),
  93. ]
  94. def initialize_options(self):
  95. ''' initialize_options '''
  96. # Reason: Defining these attributes as a part of initialize_options is
  97. # consistent with upstream usage
  98. # Status: permanently disabled
  99. # pylint: disable=attribute-defined-outside-init
  100. self.excludes = None
  101. self.config_file = None
  102. self.format = None
  103. def finalize_options(self):
  104. ''' finalize_options '''
  105. # Reason: These attributes are defined in initialize_options and this
  106. # usage is consistant with upstream usage
  107. # Status: permanently disabled
  108. # pylint: disable=attribute-defined-outside-init
  109. if isinstance(self.excludes, string_types):
  110. self.excludes = self.excludes.split(',')
  111. if self.format is None:
  112. self.format = 'standard'
  113. assert (self.format in ['standard', 'parsable']), (
  114. 'unknown format {0}.'.format(self.format))
  115. if self.config_file is None:
  116. self.config_file = '.yamllint'
  117. assert os.path.isfile(self.config_file), (
  118. 'yamllint config file {0} does not exist.'.format(self.config_file))
  119. def run(self):
  120. ''' run command '''
  121. if self.excludes is not None:
  122. print("Excludes:\n{0}".format(yaml.dump(self.excludes, default_flow_style=False)))
  123. config = YamlLintConfig(file=self.config_file)
  124. has_errors = False
  125. has_warnings = False
  126. if self.format == 'parsable':
  127. format_method = Format.parsable
  128. else:
  129. format_method = Format.standard_color
  130. for yaml_file in find_files(os.getcwd(), self.excludes, None, r'\.ya?ml$'):
  131. first = True
  132. with open(yaml_file, 'r') as contents:
  133. for problem in linter.run(contents, config):
  134. if first and self.format != 'parsable':
  135. print('\n{0}:'.format(os.path.relpath(yaml_file)))
  136. first = False
  137. print(format_method(problem, yaml_file))
  138. if problem.level == linter.PROBLEM_LEVELS[2]:
  139. has_errors = True
  140. elif problem.level == linter.PROBLEM_LEVELS[1]:
  141. has_warnings = True
  142. if has_errors or has_warnings:
  143. print('yamllint issues found')
  144. raise SystemExit(1)
  145. class OpenShiftAnsiblePylint(PylintCommand):
  146. ''' Class to override the default behavior of PylintCommand '''
  147. # Reason: This method needs to be an instance method to conform to the
  148. # overridden method's signature
  149. # Status: permanently disabled
  150. # pylint: disable=no-self-use
  151. def find_all_modules(self):
  152. ''' find all python files to test '''
  153. exclude_dirs = ['.tox', 'utils', 'test', 'tests', 'git']
  154. modules = []
  155. for match in find_files(os.getcwd(), exclude_dirs, None, r'\.py$'):
  156. package = os.path.basename(match).replace('.py', '')
  157. modules.append(('openshift_ansible', package, match))
  158. return modules
  159. def get_finalized_command(self, cmd):
  160. ''' override get_finalized_command to ensure we use our
  161. find_all_modules method '''
  162. if cmd == 'build_py':
  163. return self
  164. # Reason: This method needs to be an instance method to conform to the
  165. # overridden method's signature
  166. # Status: permanently disabled
  167. # pylint: disable=no-self-use
  168. def with_project_on_sys_path(self, func, func_args, func_kwargs):
  169. ''' override behavior, since we don't need to build '''
  170. return func(*func_args, **func_kwargs)
  171. class OpenShiftAnsibleGenerateValidation(Command):
  172. ''' Command to run generated module validation'''
  173. description = "Run generated module validation"
  174. user_options = []
  175. def initialize_options(self):
  176. ''' initialize_options '''
  177. pass
  178. def finalize_options(self):
  179. ''' finalize_options '''
  180. pass
  181. # self isn't used but I believe is required when it is called.
  182. # pylint: disable=no-self-use
  183. def run(self):
  184. ''' run command '''
  185. # find the files that call generate
  186. generate_files = find_files('roles',
  187. ['inventory',
  188. 'test',
  189. 'playbooks',
  190. 'utils'],
  191. None,
  192. 'generate.py$')
  193. if len(generate_files) < 1:
  194. print('Did not find any code generation. Please verify module code generation.') # noqa: E501
  195. raise SystemExit(1)
  196. errors = False
  197. for gen in generate_files:
  198. print('Checking generated module code: {0}'.format(gen))
  199. try:
  200. sys.path.insert(0, os.path.dirname(gen))
  201. # we are importing dynamically. This isn't in
  202. # the python path.
  203. # pylint: disable=import-error
  204. import generate
  205. reload_module(generate)
  206. generate.verify()
  207. except generate.GenerateAnsibleException as gae:
  208. print(gae.args)
  209. errors = True
  210. if errors:
  211. print('Found errors while generating module code.')
  212. raise SystemExit(1)
  213. print('\nAll generate scripts passed.\n')
  214. class OpenShiftAnsibleSyntaxCheck(Command):
  215. ''' Command to run Ansible syntax check'''
  216. description = "Run Ansible syntax check"
  217. user_options = []
  218. # Colors
  219. FAIL = '\033[31m' # Red
  220. ENDC = '\033[0m' # Reset
  221. def initialize_options(self):
  222. ''' initialize_options '''
  223. pass
  224. def finalize_options(self):
  225. ''' finalize_options '''
  226. pass
  227. def deprecate_jinja2_in_when(self, yaml_contents, yaml_file):
  228. ''' Check for Jinja2 templating delimiters in when conditions '''
  229. test_result = False
  230. failed_items = []
  231. search_results = recursive_search(yaml_contents, 'when')
  232. for item in search_results:
  233. if isinstance(item, str):
  234. if '{{' in item or '{%' in item:
  235. failed_items.append(item)
  236. else:
  237. for sub_item in item:
  238. if '{{' in sub_item or '{%' in sub_item:
  239. failed_items.append(sub_item)
  240. if len(failed_items) > 0:
  241. print('{}Error: Usage of Jinja2 templating delimiters in when '
  242. 'conditions is deprecated in Ansible 2.3.\n'
  243. ' File: {}'.format(self.FAIL, yaml_file))
  244. for item in failed_items:
  245. print(' Found: "{}"'.format(item))
  246. print(self.ENDC)
  247. test_result = True
  248. return test_result
  249. def deprecate_include(self, yaml_contents, yaml_file):
  250. ''' Check for usage of include directive '''
  251. test_result = False
  252. search_results = recursive_search(yaml_contents, 'include')
  253. if len(search_results) > 0:
  254. print('{}Error: The `include` directive is deprecated in Ansible 2.4.\n'
  255. 'https://github.com/ansible/ansible/blob/devel/CHANGELOG.md\n'
  256. ' File: {}'.format(self.FAIL, yaml_file))
  257. for item in search_results:
  258. print(' Found: "include: {}"'.format(item))
  259. print(self.ENDC)
  260. test_result = True
  261. return test_result
  262. def run(self):
  263. ''' run command '''
  264. has_errors = False
  265. print('Ansible Deprecation Checks')
  266. exclude_dirs = ['adhoc', 'files', 'meta', 'vars', 'defaults', '.tox']
  267. for yaml_file in find_files(
  268. os.getcwd(), exclude_dirs, None, r'\.ya?ml$'):
  269. with open(yaml_file, 'r') as contents:
  270. yaml_contents = yaml.safe_load(contents)
  271. if not isinstance(yaml_contents, list):
  272. continue
  273. # Check for Jinja2 templating delimiters in when conditions
  274. result = self.deprecate_jinja2_in_when(yaml_contents, yaml_file)
  275. has_errors = result or has_errors
  276. # Check for usage of include: directive
  277. result = self.deprecate_include(yaml_contents, yaml_file)
  278. has_errors = result or has_errors
  279. if not has_errors:
  280. print('...PASSED')
  281. print('Ansible Playbook Entry Point Syntax Checks')
  282. for playbook in find_entrypoint_playbooks():
  283. print('-' * 60)
  284. print('Syntax checking playbook: {}'.format(playbook))
  285. # --syntax-check each entry point playbook
  286. try:
  287. # Create a host group list to avoid WARNING on unmatched host patterns
  288. host_group_list = [
  289. 'etcd,masters,nodes,OSEv3',
  290. 'oo_all_hosts',
  291. 'oo_etcd_to_config,oo_new_etcd_to_config,oo_first_etcd,oo_etcd_hosts_to_backup,'
  292. 'oo_etcd_hosts_to_upgrade,oo_etcd_to_migrate',
  293. 'oo_masters,oo_masters_to_config,oo_first_master,oo_containerized_master_nodes',
  294. 'oo_nodes_to_config,oo_nodes_to_upgrade',
  295. 'oo_nodes_use_kuryr,oo_nodes_use_flannel',
  296. 'oo_nodes_use_calico,oo_nodes_use_nuage,oo_nodes_use_contiv',
  297. 'oo_lb_to_config',
  298. 'oo_nfs_to_config',
  299. 'glusterfs,glusterfs_registry,']
  300. subprocess.check_output(
  301. ['ansible-playbook', '-i ' + ','.join(host_group_list),
  302. '--syntax-check', playbook]
  303. )
  304. except subprocess.CalledProcessError as cpe:
  305. print('{}Execution failed: {}{}'.format(
  306. self.FAIL, cpe, self.ENDC))
  307. has_errors = True
  308. if has_errors:
  309. raise SystemExit(1)
  310. class UnsupportedCommand(Command):
  311. ''' Basic Command to override unsupported commands '''
  312. user_options = []
  313. # Reason: This method needs to be an instance method to conform to the
  314. # overridden method's signature
  315. # Status: permanently disabled
  316. # pylint: disable=no-self-use
  317. def initialize_options(self):
  318. ''' initialize_options '''
  319. pass
  320. # Reason: This method needs to be an instance method to conform to the
  321. # overridden method's signature
  322. # Status: permanently disabled
  323. # pylint: disable=no-self-use
  324. def finalize_options(self):
  325. ''' initialize_options '''
  326. pass
  327. # Reason: This method needs to be an instance method to conform to the
  328. # overridden method's signature
  329. # Status: permanently disabled
  330. # pylint: disable=no-self-use
  331. def run(self):
  332. ''' run command '''
  333. print("Unsupported command for openshift-ansible")
  334. setup(
  335. name='openshift-ansible',
  336. license="Apache 2.0",
  337. cmdclass={
  338. 'install': UnsupportedCommand,
  339. 'develop': UnsupportedCommand,
  340. 'build': UnsupportedCommand,
  341. 'build_py': UnsupportedCommand,
  342. 'build_ext': UnsupportedCommand,
  343. 'egg_info': UnsupportedCommand,
  344. 'sdist': UnsupportedCommand,
  345. 'lint': OpenShiftAnsiblePylint,
  346. 'yamllint': OpenShiftAnsibleYamlLint,
  347. 'generate_validation': OpenShiftAnsibleGenerateValidation,
  348. 'ansible_syntax': OpenShiftAnsibleSyntaxCheck,
  349. },
  350. packages=[],
  351. )