base.py 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601
  1. # pylint: skip-file
  2. # flake8: noqa
  3. # pylint: disable=too-many-lines
  4. # noqa: E301,E302,E303,T001
  5. class OpenShiftCLIError(Exception):
  6. '''Exception class for openshiftcli'''
  7. pass
  8. ADDITIONAL_PATH_LOOKUPS = ['/usr/local/bin', os.path.expanduser('~/bin')]
  9. def locate_oc_binary():
  10. ''' Find and return oc binary file '''
  11. # https://github.com/openshift/openshift-ansible/issues/3410
  12. # oc can be in /usr/local/bin in some cases, but that may not
  13. # be in $PATH due to ansible/sudo
  14. paths = os.environ.get("PATH", os.defpath).split(os.pathsep) + ADDITIONAL_PATH_LOOKUPS
  15. oc_binary = 'oc'
  16. # Use shutil.which if it is available, otherwise fallback to a naive path search
  17. try:
  18. which_result = shutil.which(oc_binary, path=os.pathsep.join(paths))
  19. if which_result is not None:
  20. oc_binary = which_result
  21. except AttributeError:
  22. for path in paths:
  23. if os.path.exists(os.path.join(path, oc_binary)):
  24. oc_binary = os.path.join(path, oc_binary)
  25. break
  26. return oc_binary
  27. # pylint: disable=too-few-public-methods
  28. class OpenShiftCLI(object):
  29. ''' Class to wrap the command line tools '''
  30. def __init__(self,
  31. namespace,
  32. kubeconfig='/etc/origin/master/admin.kubeconfig',
  33. verbose=False,
  34. all_namespaces=False):
  35. ''' Constructor for OpenshiftCLI '''
  36. self.namespace = namespace
  37. self.verbose = verbose
  38. self.kubeconfig = Utils.create_tmpfile_copy(kubeconfig)
  39. self.all_namespaces = all_namespaces
  40. self.oc_binary = locate_oc_binary()
  41. # Pylint allows only 5 arguments to be passed.
  42. # pylint: disable=too-many-arguments
  43. def _replace_content(self, resource, rname, content, force=False, sep='.'):
  44. ''' replace the current object with the content '''
  45. res = self._get(resource, rname)
  46. if not res['results']:
  47. return res
  48. fname = Utils.create_tmpfile(rname + '-')
  49. yed = Yedit(fname, res['results'][0], separator=sep)
  50. changes = []
  51. for key, value in content.items():
  52. changes.append(yed.put(key, value))
  53. if any([change[0] for change in changes]):
  54. yed.write()
  55. atexit.register(Utils.cleanup, [fname])
  56. return self._replace(fname, force)
  57. return {'returncode': 0, 'updated': False}
  58. def _replace(self, fname, force=False):
  59. '''replace the current object with oc replace'''
  60. cmd = ['replace', '-f', fname]
  61. if force:
  62. cmd.append('--force')
  63. return self.openshift_cmd(cmd)
  64. def _create_from_content(self, rname, content):
  65. '''create a temporary file and then call oc create on it'''
  66. fname = Utils.create_tmpfile(rname + '-')
  67. yed = Yedit(fname, content=content)
  68. yed.write()
  69. atexit.register(Utils.cleanup, [fname])
  70. return self._create(fname)
  71. def _create(self, fname):
  72. '''call oc create on a filename'''
  73. return self.openshift_cmd(['create', '-f', fname])
  74. def _delete(self, resource, rname, selector=None):
  75. '''call oc delete on a resource'''
  76. cmd = ['delete', resource, rname]
  77. if selector:
  78. cmd.append('--selector=%s' % selector)
  79. return self.openshift_cmd(cmd)
  80. def _process(self, template_name, create=False, params=None, template_data=None): # noqa: E501
  81. '''process a template
  82. template_name: the name of the template to process
  83. create: whether to send to oc create after processing
  84. params: the parameters for the template
  85. template_data: the incoming template's data; instead of a file
  86. '''
  87. cmd = ['process']
  88. if template_data:
  89. cmd.extend(['-f', '-'])
  90. else:
  91. cmd.append(template_name)
  92. if params:
  93. param_str = ["%s=%s" % (key, value) for key, value in params.items()]
  94. cmd.append('-v')
  95. cmd.extend(param_str)
  96. results = self.openshift_cmd(cmd, output=True, input_data=template_data)
  97. if results['returncode'] != 0 or not create:
  98. return results
  99. fname = Utils.create_tmpfile(template_name + '-')
  100. yed = Yedit(fname, results['results'])
  101. yed.write()
  102. atexit.register(Utils.cleanup, [fname])
  103. return self.openshift_cmd(['create', '-f', fname])
  104. def _get(self, resource, rname=None, selector=None):
  105. '''return a resource by name '''
  106. cmd = ['get', resource]
  107. if selector:
  108. cmd.append('--selector=%s' % selector)
  109. elif rname:
  110. cmd.append(rname)
  111. cmd.extend(['-o', 'json'])
  112. rval = self.openshift_cmd(cmd, output=True)
  113. # Ensure results are retuned in an array
  114. if 'items' in rval:
  115. rval['results'] = rval['items']
  116. elif not isinstance(rval['results'], list):
  117. rval['results'] = [rval['results']]
  118. return rval
  119. def _schedulable(self, node=None, selector=None, schedulable=True):
  120. ''' perform oadm manage-node scheduable '''
  121. cmd = ['manage-node']
  122. if node:
  123. cmd.extend(node)
  124. else:
  125. cmd.append('--selector=%s' % selector)
  126. cmd.append('--schedulable=%s' % schedulable)
  127. return self.openshift_cmd(cmd, oadm=True, output=True, output_type='raw') # noqa: E501
  128. def _list_pods(self, node=None, selector=None, pod_selector=None):
  129. ''' perform oadm list pods
  130. node: the node in which to list pods
  131. selector: the label selector filter if provided
  132. pod_selector: the pod selector filter if provided
  133. '''
  134. cmd = ['manage-node']
  135. if node:
  136. cmd.extend(node)
  137. else:
  138. cmd.append('--selector=%s' % selector)
  139. if pod_selector:
  140. cmd.append('--pod-selector=%s' % pod_selector)
  141. cmd.extend(['--list-pods', '-o', 'json'])
  142. return self.openshift_cmd(cmd, oadm=True, output=True, output_type='raw')
  143. # pylint: disable=too-many-arguments
  144. def _evacuate(self, node=None, selector=None, pod_selector=None, dry_run=False, grace_period=None, force=False):
  145. ''' perform oadm manage-node evacuate '''
  146. cmd = ['manage-node']
  147. if node:
  148. cmd.extend(node)
  149. else:
  150. cmd.append('--selector=%s' % selector)
  151. if dry_run:
  152. cmd.append('--dry-run')
  153. if pod_selector:
  154. cmd.append('--pod-selector=%s' % pod_selector)
  155. if grace_period:
  156. cmd.append('--grace-period=%s' % int(grace_period))
  157. if force:
  158. cmd.append('--force')
  159. cmd.append('--evacuate')
  160. return self.openshift_cmd(cmd, oadm=True, output=True, output_type='raw')
  161. def _version(self):
  162. ''' return the openshift version'''
  163. return self.openshift_cmd(['version'], output=True, output_type='raw')
  164. def _import_image(self, url=None, name=None, tag=None):
  165. ''' perform image import '''
  166. cmd = ['import-image']
  167. image = '{0}'.format(name)
  168. if tag:
  169. image += ':{0}'.format(tag)
  170. cmd.append(image)
  171. if url:
  172. cmd.append('--from={0}/{1}'.format(url, image))
  173. cmd.append('-n{0}'.format(self.namespace))
  174. cmd.append('--confirm')
  175. return self.openshift_cmd(cmd)
  176. def _run(self, cmds, input_data):
  177. ''' Actually executes the command. This makes mocking easier. '''
  178. curr_env = os.environ.copy()
  179. curr_env.update({'KUBECONFIG': self.kubeconfig})
  180. proc = subprocess.Popen(cmds,
  181. stdin=subprocess.PIPE,
  182. stdout=subprocess.PIPE,
  183. stderr=subprocess.PIPE,
  184. env=curr_env)
  185. stdout, stderr = proc.communicate(input_data)
  186. return proc.returncode, stdout.decode(), stderr.decode()
  187. # pylint: disable=too-many-arguments,too-many-branches
  188. def openshift_cmd(self, cmd, oadm=False, output=False, output_type='json', input_data=None):
  189. '''Base command for oc '''
  190. cmds = [self.oc_binary]
  191. if oadm:
  192. cmds.append('adm')
  193. cmds.extend(cmd)
  194. if self.all_namespaces:
  195. cmds.extend(['--all-namespaces'])
  196. elif self.namespace is not None and self.namespace.lower() not in ['none', 'emtpy']: # E501
  197. cmds.extend(['-n', self.namespace])
  198. rval = {}
  199. results = ''
  200. err = None
  201. if self.verbose:
  202. print(' '.join(cmds))
  203. try:
  204. returncode, stdout, stderr = self._run(cmds, input_data)
  205. except OSError as ex:
  206. returncode, stdout, stderr = 1, '', 'Failed to execute {}: {}'.format(subprocess.list2cmdline(cmds), ex)
  207. rval = {"returncode": returncode,
  208. "results": results,
  209. "cmd": ' '.join(cmds)}
  210. if returncode == 0:
  211. if output:
  212. if output_type == 'json':
  213. try:
  214. rval['results'] = json.loads(stdout)
  215. except ValueError as err:
  216. if "No JSON object could be decoded" in err.args:
  217. err = err.args
  218. elif output_type == 'raw':
  219. rval['results'] = stdout
  220. if self.verbose:
  221. print("STDOUT: {0}".format(stdout))
  222. print("STDERR: {0}".format(stderr))
  223. if err:
  224. rval.update({"err": err,
  225. "stderr": stderr,
  226. "stdout": stdout,
  227. "cmd": cmds})
  228. else:
  229. rval.update({"stderr": stderr,
  230. "stdout": stdout,
  231. "results": {}})
  232. return rval
  233. class Utils(object):
  234. ''' utilities for openshiftcli modules '''
  235. @staticmethod
  236. def _write(filename, contents):
  237. ''' Actually write the file contents to disk. This helps with mocking. '''
  238. with open(filename, 'w') as sfd:
  239. sfd.write(contents)
  240. @staticmethod
  241. def create_tmp_file_from_contents(rname, data, ftype='yaml'):
  242. ''' create a file in tmp with name and contents'''
  243. tmp = Utils.create_tmpfile(prefix=rname)
  244. if ftype == 'yaml':
  245. # AUDIT:no-member makes sense here due to ruamel.YAML/PyYAML usage
  246. # pylint: disable=no-member
  247. if hasattr(yaml, 'RoundTripDumper'):
  248. Utils._write(tmp, yaml.dump(data, Dumper=yaml.RoundTripDumper))
  249. else:
  250. Utils._write(tmp, yaml.safe_dump(data, default_flow_style=False))
  251. elif ftype == 'json':
  252. Utils._write(tmp, json.dumps(data))
  253. else:
  254. Utils._write(tmp, data)
  255. # Register cleanup when module is done
  256. atexit.register(Utils.cleanup, [tmp])
  257. return tmp
  258. @staticmethod
  259. def create_tmpfile_copy(inc_file):
  260. '''create a temporary copy of a file'''
  261. tmpfile = Utils.create_tmpfile('lib_openshift-')
  262. Utils._write(tmpfile, open(inc_file).read())
  263. # Cleanup the tmpfile
  264. atexit.register(Utils.cleanup, [tmpfile])
  265. return tmpfile
  266. @staticmethod
  267. def create_tmpfile(prefix='tmp'):
  268. ''' Generates and returns a temporary file name '''
  269. with tempfile.NamedTemporaryFile(prefix=prefix, delete=False) as tmp:
  270. return tmp.name
  271. @staticmethod
  272. def create_tmp_files_from_contents(content, content_type=None):
  273. '''Turn an array of dict: filename, content into a files array'''
  274. if not isinstance(content, list):
  275. content = [content]
  276. files = []
  277. for item in content:
  278. path = Utils.create_tmp_file_from_contents(item['path'] + '-',
  279. item['data'],
  280. ftype=content_type)
  281. files.append({'name': os.path.basename(item['path']),
  282. 'path': path})
  283. return files
  284. @staticmethod
  285. def cleanup(files):
  286. '''Clean up on exit '''
  287. for sfile in files:
  288. if os.path.exists(sfile):
  289. if os.path.isdir(sfile):
  290. shutil.rmtree(sfile)
  291. elif os.path.isfile(sfile):
  292. os.remove(sfile)
  293. @staticmethod
  294. def exists(results, _name):
  295. ''' Check to see if the results include the name '''
  296. if not results:
  297. return False
  298. if Utils.find_result(results, _name):
  299. return True
  300. return False
  301. @staticmethod
  302. def find_result(results, _name):
  303. ''' Find the specified result by name'''
  304. rval = None
  305. for result in results:
  306. if 'metadata' in result and result['metadata']['name'] == _name:
  307. rval = result
  308. break
  309. return rval
  310. @staticmethod
  311. def get_resource_file(sfile, sfile_type='yaml'):
  312. ''' return the service file '''
  313. contents = None
  314. with open(sfile) as sfd:
  315. contents = sfd.read()
  316. if sfile_type == 'yaml':
  317. # AUDIT:no-member makes sense here due to ruamel.YAML/PyYAML usage
  318. # pylint: disable=no-member
  319. if hasattr(yaml, 'RoundTripLoader'):
  320. contents = yaml.load(contents, yaml.RoundTripLoader)
  321. else:
  322. contents = yaml.safe_load(contents)
  323. elif sfile_type == 'json':
  324. contents = json.loads(contents)
  325. return contents
  326. @staticmethod
  327. def filter_versions(stdout):
  328. ''' filter the oc version output '''
  329. version_dict = {}
  330. version_search = ['oc', 'openshift', 'kubernetes']
  331. for line in stdout.strip().split('\n'):
  332. for term in version_search:
  333. if not line:
  334. continue
  335. if line.startswith(term):
  336. version_dict[term] = line.split()[-1]
  337. # horrible hack to get openshift version in Openshift 3.2
  338. # By default "oc version in 3.2 does not return an "openshift" version
  339. if "openshift" not in version_dict:
  340. version_dict["openshift"] = version_dict["oc"]
  341. return version_dict
  342. @staticmethod
  343. def add_custom_versions(versions):
  344. ''' create custom versions strings '''
  345. versions_dict = {}
  346. for tech, version in versions.items():
  347. # clean up "-" from version
  348. if "-" in version:
  349. version = version.split("-")[0]
  350. if version.startswith('v'):
  351. versions_dict[tech + '_numeric'] = version[1:].split('+')[0]
  352. # "v3.3.0.33" is what we have, we want "3.3"
  353. versions_dict[tech + '_short'] = version[1:4]
  354. return versions_dict
  355. @staticmethod
  356. def openshift_installed():
  357. ''' check if openshift is installed '''
  358. import yum
  359. yum_base = yum.YumBase()
  360. if yum_base.rpmdb.searchNevra(name='atomic-openshift'):
  361. return True
  362. return False
  363. # Disabling too-many-branches. This is a yaml dictionary comparison function
  364. # pylint: disable=too-many-branches,too-many-return-statements,too-many-statements
  365. @staticmethod
  366. def check_def_equal(user_def, result_def, skip_keys=None, debug=False):
  367. ''' Given a user defined definition, compare it with the results given back by our query. '''
  368. # Currently these values are autogenerated and we do not need to check them
  369. skip = ['metadata', 'status']
  370. if skip_keys:
  371. skip.extend(skip_keys)
  372. for key, value in result_def.items():
  373. if key in skip:
  374. continue
  375. # Both are lists
  376. if isinstance(value, list):
  377. if key not in user_def:
  378. if debug:
  379. print('User data does not have key [%s]' % key)
  380. print('User data: %s' % user_def)
  381. return False
  382. if not isinstance(user_def[key], list):
  383. if debug:
  384. print('user_def[key] is not a list key=[%s] user_def[key]=%s' % (key, user_def[key]))
  385. return False
  386. if len(user_def[key]) != len(value):
  387. if debug:
  388. print("List lengths are not equal.")
  389. print("key=[%s]: user_def[%s] != value[%s]" % (key, len(user_def[key]), len(value)))
  390. print("user_def: %s" % user_def[key])
  391. print("value: %s" % value)
  392. return False
  393. for values in zip(user_def[key], value):
  394. if isinstance(values[0], dict) and isinstance(values[1], dict):
  395. if debug:
  396. print('sending list - list')
  397. print(type(values[0]))
  398. print(type(values[1]))
  399. result = Utils.check_def_equal(values[0], values[1], skip_keys=skip_keys, debug=debug)
  400. if not result:
  401. print('list compare returned false')
  402. return False
  403. elif value != user_def[key]:
  404. if debug:
  405. print('value should be identical')
  406. print(user_def[key])
  407. print(value)
  408. return False
  409. # recurse on a dictionary
  410. elif isinstance(value, dict):
  411. if key not in user_def:
  412. if debug:
  413. print("user_def does not have key [%s]" % key)
  414. return False
  415. if not isinstance(user_def[key], dict):
  416. if debug:
  417. print("dict returned false: not instance of dict")
  418. return False
  419. # before passing ensure keys match
  420. api_values = set(value.keys()) - set(skip)
  421. user_values = set(user_def[key].keys()) - set(skip)
  422. if api_values != user_values:
  423. if debug:
  424. print("keys are not equal in dict")
  425. print(user_values)
  426. print(api_values)
  427. return False
  428. result = Utils.check_def_equal(user_def[key], value, skip_keys=skip_keys, debug=debug)
  429. if not result:
  430. if debug:
  431. print("dict returned false")
  432. print(result)
  433. return False
  434. # Verify each key, value pair is the same
  435. else:
  436. if key not in user_def or value != user_def[key]:
  437. if debug:
  438. print("value not equal; user_def does not have key")
  439. print(key)
  440. print(value)
  441. if key in user_def:
  442. print(user_def[key])
  443. return False
  444. if debug:
  445. print('returning true')
  446. return True
  447. class OpenShiftCLIConfig(object):
  448. '''Generic Config'''
  449. def __init__(self, rname, namespace, kubeconfig, options):
  450. self.kubeconfig = kubeconfig
  451. self.name = rname
  452. self.namespace = namespace
  453. self._options = options
  454. @property
  455. def config_options(self):
  456. ''' return config options '''
  457. return self._options
  458. def to_option_list(self):
  459. '''return all options as a string'''
  460. return self.stringify()
  461. def stringify(self):
  462. ''' return the options hash as cli params in a string '''
  463. rval = []
  464. for key in sorted(self.config_options.keys()):
  465. data = self.config_options[key]
  466. if data['include'] \
  467. and (data['value'] or isinstance(data['value'], int)):
  468. rval.append('--{}={}'.format(key.replace('_', '-'), data['value']))
  469. return rval