cluster 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425
  1. #!/usr/bin/env python2
  2. # vim: expandtab:tabstop=4:shiftwidth=4
  3. import argparse
  4. import ConfigParser
  5. import os
  6. import sys
  7. import subprocess
  8. import traceback
  9. class Cluster(object):
  10. """
  11. Provide Command, Control and Configuration (c3) Interface for OpenShift Clusters
  12. """
  13. def __init__(self):
  14. # setup ansible ssh environment
  15. if 'ANSIBLE_SSH_ARGS' not in os.environ:
  16. os.environ['ANSIBLE_SSH_ARGS'] = (
  17. '-o ForwardAgent=yes '
  18. '-o StrictHostKeyChecking=no '
  19. '-o UserKnownHostsFile=/dev/null '
  20. '-o ControlMaster=auto '
  21. '-o ControlPersist=600s '
  22. )
  23. # Because of `UserKnownHostsFile=/dev/null`
  24. # our `.ssh/known_hosts` file most probably misses the ssh host public keys
  25. # of our servers.
  26. # In that case, ansible serializes the execution of ansible modules
  27. # because we might be interactively prompted to accept the ssh host public keys.
  28. # Because of `StrictHostKeyChecking=no` we know that we won't be prompted
  29. # So, we don't want our modules execution to be serialized.
  30. os.environ['ANSIBLE_HOST_KEY_CHECKING'] = 'False'
  31. # TODO: A more secure way to proceed would consist in dynamically
  32. # retrieving the ssh host public keys from the IaaS interface
  33. if 'ANSIBLE_SSH_PIPELINING' not in os.environ:
  34. os.environ['ANSIBLE_SSH_PIPELINING'] = 'True'
  35. def get_deployment_type(self, args):
  36. """
  37. Get the deployment_type based on the environment variables and the
  38. command line arguments
  39. :param args: command line arguments provided by the user
  40. :return: string representing the deployment type
  41. """
  42. deployment_type = 'origin'
  43. if args.deployment_type:
  44. deployment_type = args.deployment_type
  45. elif 'OS_DEPLOYMENT_TYPE' in os.environ:
  46. deployment_type = os.environ['OS_DEPLOYMENT_TYPE']
  47. return deployment_type
  48. def create(self, args):
  49. """
  50. Create an OpenShift cluster for given provider
  51. :param args: command line arguments provided by user
  52. """
  53. cluster = {'cluster_id': args.cluster_id,
  54. 'deployment_type': self.get_deployment_type(args)}
  55. playbook = "playbooks/{0}/openshift-cluster/launch.yml".format(args.provider)
  56. inventory = self.setup_provider(args.provider)
  57. cluster['num_masters'] = args.masters
  58. cluster['num_nodes'] = args.nodes
  59. cluster['num_infra'] = args.infra
  60. cluster['num_etcd'] = args.etcd
  61. cluster['cluster_env'] = args.env
  62. if args.cloudprovider and args.provider == 'openstack':
  63. cluster['openshift_cloudprovider_kind'] = 'openstack'
  64. cluster['openshift_cloudprovider_openstack_auth_url'] = os.getenv('OS_AUTH_URL')
  65. cluster['openshift_cloudprovider_openstack_username'] = os.getenv('OS_USERNAME')
  66. cluster['openshift_cloudprovider_openstack_password'] = os.getenv('OS_PASSWORD')
  67. if 'OS_USER_DOMAIN_ID' in os.environ:
  68. cluster['openshift_cloudprovider_openstack_domain_id'] = os.getenv('OS_USER_DOMAIN_ID')
  69. if 'OS_USER_DOMAIN_NAME' in os.environ:
  70. cluster['openshift_cloudprovider_openstack_domain_name'] = os.getenv('OS_USER_DOMAIN_NAME')
  71. if 'OS_PROJECT_ID' in os.environ or 'OS_TENANT_ID' in os.environ:
  72. cluster['openshift_cloudprovider_openstack_tenant_id'] = os.getenv('OS_PROJECT_ID',os.getenv('OS_TENANT_ID'))
  73. if 'OS_PROJECT_NAME' is os.environ or 'OS_TENANT_NAME' in os.environ:
  74. cluster['openshift_cloudprovider_openstack_tenant_name'] = os.getenv('OS_PROJECT_NAME',os.getenv('OS_TENANT_NAME'))
  75. if 'OS_REGION_NAME' in os.environ:
  76. cluster['openshift_cloudprovider_openstack_region'] = os.getenv('OS_REGION_NAME')
  77. self.action(args, inventory, cluster, playbook)
  78. def add_nodes(self, args):
  79. """
  80. Add nodes to an existing cluster for given provider
  81. :param args: command line arguments provided by user
  82. """
  83. cluster = {'cluster_id': args.cluster_id,
  84. 'deployment_type': self.get_deployment_type(args),
  85. }
  86. playbook = "playbooks/{0}/openshift-cluster/add_nodes.yml".format(args.provider)
  87. inventory = self.setup_provider(args.provider)
  88. cluster['num_nodes'] = args.nodes
  89. cluster['num_infra'] = args.infra
  90. cluster['cluster_env'] = args.env
  91. self.action(args, inventory, cluster, playbook)
  92. def terminate(self, args):
  93. """
  94. Destroy OpenShift cluster
  95. :param args: command line arguments provided by user
  96. """
  97. cluster = {'cluster_id': args.cluster_id,
  98. 'deployment_type': self.get_deployment_type(args),
  99. 'cluster_env': args.env,
  100. }
  101. playbook = "playbooks/{0}/openshift-cluster/terminate.yml".format(args.provider)
  102. inventory = self.setup_provider(args.provider)
  103. self.action(args, inventory, cluster, playbook)
  104. def list(self, args):
  105. """
  106. List VMs in cluster
  107. :param args: command line arguments provided by user
  108. """
  109. cluster = {'cluster_id': args.cluster_id,
  110. 'deployment_type': self.get_deployment_type(args),
  111. 'cluster_env': args.env,
  112. }
  113. playbook = "playbooks/{0}/openshift-cluster/list.yml".format(args.provider)
  114. inventory = self.setup_provider(args.provider)
  115. self.action(args, inventory, cluster, playbook)
  116. def config(self, args):
  117. """
  118. Configure or reconfigure OpenShift across clustered VMs
  119. :param args: command line arguments provided by user
  120. """
  121. cluster = {'cluster_id': args.cluster_id,
  122. 'deployment_type': self.get_deployment_type(args),
  123. 'cluster_env': args.env,
  124. }
  125. playbook = "playbooks/{0}/openshift-cluster/config.yml".format(args.provider)
  126. inventory = self.setup_provider(args.provider)
  127. self.action(args, inventory, cluster, playbook)
  128. def update(self, args):
  129. """
  130. Update to latest OpenShift across clustered VMs
  131. :param args: command line arguments provided by user
  132. """
  133. cluster = {'cluster_id': args.cluster_id,
  134. 'deployment_type': self.get_deployment_type(args),
  135. 'cluster_env': args.env,
  136. }
  137. playbook = "playbooks/{0}/openshift-cluster/update.yml".format(args.provider)
  138. inventory = self.setup_provider(args.provider)
  139. self.action(args, inventory, cluster, playbook)
  140. def service(self, args):
  141. """
  142. Make the same service call across all nodes in the cluster
  143. :param args: command line arguments provided by user
  144. """
  145. cluster = {'cluster_id': args.cluster_id,
  146. 'deployment_type': self.get_deployment_type(args),
  147. 'new_cluster_state': args.state,
  148. 'cluster_env': args.env,
  149. }
  150. playbook = "playbooks/{0}/openshift-cluster/service.yml".format(args.provider)
  151. inventory = self.setup_provider(args.provider)
  152. self.action(args, inventory, cluster, playbook)
  153. def setup_provider(self, provider):
  154. """
  155. Setup ansible playbook environment
  156. :param provider: command line arguments provided by user
  157. :return: path to inventory for given provider
  158. """
  159. config = ConfigParser.ConfigParser()
  160. if 'gce' == provider:
  161. gce_ini_default_path = os.path.join('inventory/gce/hosts/gce.ini')
  162. gce_ini_path = os.environ.get('GCE_INI_PATH', gce_ini_default_path)
  163. if os.path.exists(gce_ini_path):
  164. config.readfp(open(gce_ini_path))
  165. for key in config.options('gce'):
  166. os.environ[key] = config.get('gce', key)
  167. inventory = '-i inventory/gce/hosts'
  168. elif 'aws' == provider:
  169. config.readfp(open('inventory/aws/hosts/ec2.ini'))
  170. for key in config.options('ec2'):
  171. os.environ[key] = config.get('ec2', key)
  172. inventory = '-i inventory/aws/hosts'
  173. key_vars = ['AWS_ACCESS_KEY_ID', 'AWS_SECRET_ACCESS_KEY']
  174. key_missing = [key for key in key_vars if key not in os.environ]
  175. boto_conf_files = ['~/.aws/credentials', '~/.boto']
  176. conf_exists = lambda conf: os.path.isfile(os.path.expanduser(conf))
  177. boto_configs = [conf for conf in boto_conf_files if conf_exists(conf)]
  178. if len(key_missing) > 0 and len(boto_configs) == 0:
  179. raise ValueError("PROVIDER aws requires {0} environment variable(s). See README_AWS.md".format(key_missing))
  180. elif 'libvirt' == provider:
  181. inventory = '-i inventory/libvirt/hosts'
  182. elif 'openstack' == provider:
  183. inventory = '-i inventory/openstack/hosts'
  184. else:
  185. # this code should never be reached
  186. raise ValueError("invalid PROVIDER {0}".format(provider))
  187. return inventory
  188. def action(self, args, inventory, cluster, playbook):
  189. """
  190. Build ansible-playbook command line and execute
  191. :param args: command line arguments provided by user
  192. :param inventory: derived provider library
  193. :param cluster: cluster variables for kubernetes
  194. :param playbook: ansible playbook to execute
  195. """
  196. verbose = ''
  197. if args.verbose > 0:
  198. verbose = '-{0}'.format('v' * args.verbose)
  199. if args.option:
  200. for opt in args.option:
  201. k, v = opt.split('=', 1)
  202. cluster['cli_' + k] = v
  203. ansible_extra_vars = '-e \'{0}\''.format(
  204. ' '.join(['%s=%s' % (key, value) for (key, value) in cluster.items()])
  205. )
  206. command = 'ansible-playbook {0} {1} {2} {3}'.format(
  207. verbose, inventory, ansible_extra_vars, playbook
  208. )
  209. if args.profile:
  210. command = 'ANSIBLE_CALLBACK_PLUGINS=ansible-profile/callback_plugins ' + command
  211. if args.verbose > 1:
  212. command = 'time {0}'.format(command)
  213. if args.verbose > 0:
  214. sys.stderr.write('RUN [{0}]\n'.format(command))
  215. sys.stderr.flush()
  216. try:
  217. subprocess.check_call(command, shell=True)
  218. except subprocess.CalledProcessError as exc:
  219. raise ActionFailed("ACTION [{0}] failed: {1}"
  220. .format(args.action, exc))
  221. class ActionFailed(Exception):
  222. """
  223. Raised when action failed.
  224. """
  225. pass
  226. if __name__ == '__main__':
  227. """
  228. User command to invoke ansible playbooks in a "known" configuration
  229. Reads ~/.openshift-ansible for default configuration items
  230. [DEFAULT]
  231. validate_cluster_ids = False
  232. cluster_ids = marketing,sales
  233. providers = gce,aws,libvirt,openstack
  234. """
  235. warning = ("================================================================================\n"
  236. "ATTENTION: You are running a community supported utility that has not been\n"
  237. "tested by Red Hat. Visit https://docs.openshift.com for supported installation\n"
  238. "instructions.\n"
  239. "================================================================================\n\n")
  240. sys.stderr.write(warning)
  241. cluster_config = ConfigParser.SafeConfigParser({
  242. 'cluster_ids': 'marketing,sales',
  243. 'validate_cluster_ids': 'False',
  244. 'providers': 'gce,aws,libvirt,openstack',
  245. })
  246. path = os.path.expanduser("~/.openshift-ansible")
  247. if os.path.isfile(path):
  248. cluster_config.read(path)
  249. cluster = Cluster()
  250. parser = argparse.ArgumentParser(
  251. formatter_class=argparse.RawDescriptionHelpFormatter,
  252. description='Python wrapper to ensure proper configuration for OpenShift ansible playbooks',
  253. epilog='''\
  254. This wrapper is overriding the following ansible variables:
  255. * ANSIBLE_SSH_ARGS:
  256. If not set in the environment, this wrapper will use the following value:
  257. `-o ForwardAgent=yes -o StrictHostKeyChecking=no -o UserKnownHostsFile=/dev/null -o ControlMaster=auto -o ControlPersist=600s`
  258. If set in the environment, the environment variable value is left untouched and used.
  259. * ANSIBLE_SSH_PIPELINING:
  260. If not set in the environment, this wrapper will set it to `True`.
  261. If you experience issues with Ansible SSH pipelining, you can disable it by explicitly setting this environment variable to `False`.
  262. '''
  263. )
  264. parser.add_argument('-v', '--verbose', action='count',
  265. help='Multiple -v options increase the verbosity')
  266. parser.add_argument('--version', action='version', version='%(prog)s 0.3')
  267. meta_parser = argparse.ArgumentParser(add_help=False)
  268. providers = cluster_config.get('DEFAULT', 'providers').split(',')
  269. meta_parser.add_argument('provider', choices=providers, help='provider')
  270. if cluster_config.get('DEFAULT', 'validate_cluster_ids').lower() in ("yes", "true", "1"):
  271. meta_parser.add_argument('cluster_id', choices=cluster_config.get('DEFAULT', 'cluster_ids').split(','),
  272. help='prefix for cluster VM names')
  273. else:
  274. meta_parser.add_argument('cluster_id', help='prefix for cluster VM names')
  275. meta_parser.add_argument('-t', '--deployment-type',
  276. choices=['origin', 'atomic-enterprise', 'openshift-enterprise'],
  277. help='Deployment type. (default: origin)')
  278. meta_parser.add_argument('-o', '--option', action='append',
  279. help='options')
  280. meta_parser.add_argument('--env', default='dev', type=str,
  281. help='environment for the cluster. Defaults to \'dev\'.')
  282. meta_parser.add_argument('-p', '--profile', action='store_true',
  283. help='Enable playbook profiling')
  284. action_parser = parser.add_subparsers(dest='action', title='actions',
  285. description='Choose from valid actions')
  286. create_parser = action_parser.add_parser('create', help='Create a cluster',
  287. parents=[meta_parser])
  288. create_parser.add_argument('-c', '--cloudprovider', action='store_true',
  289. help='Enable the cloudprovider')
  290. create_parser.add_argument('-m', '--masters', default=1, type=int,
  291. help='number of masters to create in cluster')
  292. create_parser.add_argument('-n', '--nodes', default=2, type=int,
  293. help='number of nodes to create in cluster')
  294. create_parser.add_argument('-i', '--infra', default=1, type=int,
  295. help='number of infra nodes to create in cluster')
  296. create_parser.add_argument('-e', '--etcd', default=0, type=int,
  297. help='number of external etcd hosts to create in cluster')
  298. create_parser.set_defaults(func=cluster.create)
  299. create_parser = action_parser.add_parser('add-nodes', help='Add nodes to a cluster',
  300. parents=[meta_parser])
  301. create_parser.add_argument('-n', '--nodes', default=1, type=int,
  302. help='number of nodes to add to the cluster')
  303. create_parser.add_argument('-i', '--infra', default=1, type=int,
  304. help='number of infra nodes to add to the cluster')
  305. create_parser.set_defaults(func=cluster.add_nodes)
  306. config_parser = action_parser.add_parser('config',
  307. help='Configure or reconfigure a cluster',
  308. parents=[meta_parser])
  309. config_parser.set_defaults(func=cluster.config)
  310. terminate_parser = action_parser.add_parser('terminate',
  311. help='Destroy a cluster',
  312. parents=[meta_parser])
  313. terminate_parser.add_argument('-f', '--force', action='store_true',
  314. help='Destroy cluster without confirmation')
  315. terminate_parser.set_defaults(func=cluster.terminate)
  316. update_parser = action_parser.add_parser('update',
  317. help='Update OpenShift across cluster',
  318. parents=[meta_parser])
  319. update_parser.add_argument('-f', '--force', action='store_true',
  320. help='Update cluster without confirmation')
  321. update_parser.set_defaults(func=cluster.update)
  322. list_parser = action_parser.add_parser('list', help='List VMs in cluster',
  323. parents=[meta_parser])
  324. list_parser.set_defaults(func=cluster.list)
  325. service_parser = action_parser.add_parser('service', help='service for openshift across cluster',
  326. parents=[meta_parser])
  327. # choices are the only ones valid for the ansible service module: http://docs.ansible.com/service_module.html
  328. service_parser.add_argument('state', choices=['started', 'stopped', 'restarted', 'reloaded'],
  329. help='make service call across cluster')
  330. service_parser.set_defaults(func=cluster.service)
  331. args = parser.parse_args()
  332. if 'terminate' == args.action and not args.force:
  333. answer = raw_input("This will destroy the ENTIRE {0} cluster. Are you sure? [y/N] ".format(args.cluster_id))
  334. if answer not in ['y', 'Y']:
  335. sys.stderr.write('\nACTION [terminate] aborted by user!\n')
  336. exit(1)
  337. if 'update' == args.action and not args.force:
  338. answer = raw_input(
  339. "This is destructive and could corrupt {0} cluster. Continue? [y/N] ".format(args.cluster_id))
  340. if answer not in ['y', 'Y']:
  341. sys.stderr.write('\nACTION [update] aborted by user!\n')
  342. exit(1)
  343. try:
  344. args.func(args)
  345. except Exception as exc:
  346. if args.verbose:
  347. traceback.print_exc(file=sys.stderr)
  348. else:
  349. print >>sys.stderr, exc
  350. exit(1)