base.py 21 KB

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