project.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640
  1. from __future__ import absolute_import
  2. from __future__ import unicode_literals
  3. import datetime
  4. import logging
  5. import operator
  6. from functools import reduce
  7. import enum
  8. from docker.errors import APIError
  9. from . import parallel
  10. from .config import ConfigurationError
  11. from .config.config import V1
  12. from .config.sort_services import get_container_name_from_network_mode
  13. from .config.sort_services import get_service_name_from_network_mode
  14. from .const import IMAGE_EVENTS
  15. from .const import LABEL_ONE_OFF
  16. from .const import LABEL_PROJECT
  17. from .const import LABEL_SERVICE
  18. from .container import Container
  19. from .network import build_networks
  20. from .network import get_networks
  21. from .network import ProjectNetworks
  22. from .service import BuildAction
  23. from .service import ContainerNetworkMode
  24. from .service import ConvergenceStrategy
  25. from .service import NetworkMode
  26. from .service import Service
  27. from .service import ServiceNetworkMode
  28. from .utils import microseconds_from_time_nano
  29. from .volume import ProjectVolumes
  30. log = logging.getLogger(__name__)
  31. @enum.unique
  32. class OneOffFilter(enum.Enum):
  33. include = 0
  34. exclude = 1
  35. only = 2
  36. @classmethod
  37. def update_labels(cls, value, labels):
  38. if value == cls.only:
  39. labels.append('{0}={1}'.format(LABEL_ONE_OFF, "True"))
  40. elif value == cls.exclude:
  41. labels.append('{0}={1}'.format(LABEL_ONE_OFF, "False"))
  42. elif value == cls.include:
  43. pass
  44. else:
  45. raise ValueError("Invalid value for one_off: {}".format(repr(value)))
  46. class Project(object):
  47. """
  48. A collection of services.
  49. """
  50. def __init__(self, name, services, client, networks=None, volumes=None, config_version=None):
  51. self.name = name
  52. self.services = services
  53. self.client = client
  54. self.volumes = volumes or ProjectVolumes({})
  55. self.networks = networks or ProjectNetworks({}, False)
  56. self.config_version = config_version
  57. def labels(self, one_off=OneOffFilter.exclude):
  58. labels = ['{0}={1}'.format(LABEL_PROJECT, self.name)]
  59. OneOffFilter.update_labels(one_off, labels)
  60. return labels
  61. @classmethod
  62. def from_config(cls, name, config_data, client):
  63. """
  64. Construct a Project from a config.Config object.
  65. """
  66. use_networking = (config_data.version and config_data.version != V1)
  67. networks = build_networks(name, config_data, client)
  68. project_networks = ProjectNetworks.from_services(
  69. config_data.services,
  70. networks,
  71. use_networking)
  72. volumes = ProjectVolumes.from_config(name, config_data, client)
  73. project = cls(name, [], client, project_networks, volumes, config_data.version)
  74. for service_dict in config_data.services:
  75. service_dict = dict(service_dict)
  76. if use_networking:
  77. service_networks = get_networks(service_dict, networks)
  78. else:
  79. service_networks = {}
  80. service_dict.pop('networks', None)
  81. links = project.get_links(service_dict)
  82. network_mode = project.get_network_mode(
  83. service_dict, list(service_networks.keys())
  84. )
  85. volumes_from = get_volumes_from(project, service_dict)
  86. if config_data.version != V1:
  87. service_dict['volumes'] = [
  88. volumes.namespace_spec(volume_spec)
  89. for volume_spec in service_dict.get('volumes', [])
  90. ]
  91. secrets = get_secrets(
  92. service_dict['name'],
  93. service_dict.pop('secrets', None) or [],
  94. config_data.secrets)
  95. project.services.append(
  96. Service(
  97. service_dict.pop('name'),
  98. client=client,
  99. project=name,
  100. use_networking=use_networking,
  101. networks=service_networks,
  102. links=links,
  103. network_mode=network_mode,
  104. volumes_from=volumes_from,
  105. secrets=secrets,
  106. **service_dict)
  107. )
  108. return project
  109. @property
  110. def service_names(self):
  111. return [service.name for service in self.services]
  112. def get_service(self, name):
  113. """
  114. Retrieve a service by name. Raises NoSuchService
  115. if the named service does not exist.
  116. """
  117. for service in self.services:
  118. if service.name == name:
  119. return service
  120. raise NoSuchService(name)
  121. def validate_service_names(self, service_names):
  122. """
  123. Validate that the given list of service names only contains valid
  124. services. Raises NoSuchService if one of the names is invalid.
  125. """
  126. valid_names = self.service_names
  127. for name in service_names:
  128. if name not in valid_names:
  129. raise NoSuchService(name)
  130. def get_services(self, service_names=None, include_deps=False):
  131. """
  132. Returns a list of this project's services filtered
  133. by the provided list of names, or all services if service_names is None
  134. or [].
  135. If include_deps is specified, returns a list including the dependencies for
  136. service_names, in order of dependency.
  137. Preserves the original order of self.services where possible,
  138. reordering as needed to resolve dependencies.
  139. Raises NoSuchService if any of the named services do not exist.
  140. """
  141. if service_names is None or len(service_names) == 0:
  142. service_names = self.service_names
  143. unsorted = [self.get_service(name) for name in service_names]
  144. services = [s for s in self.services if s in unsorted]
  145. if include_deps:
  146. services = reduce(self._inject_deps, services, [])
  147. uniques = []
  148. [uniques.append(s) for s in services if s not in uniques]
  149. return uniques
  150. def get_services_without_duplicate(self, service_names=None, include_deps=False):
  151. services = self.get_services(service_names, include_deps)
  152. for service in services:
  153. service.remove_duplicate_containers()
  154. return services
  155. def get_links(self, service_dict):
  156. links = []
  157. if 'links' in service_dict:
  158. for link in service_dict.get('links', []):
  159. if ':' in link:
  160. service_name, link_name = link.split(':', 1)
  161. else:
  162. service_name, link_name = link, None
  163. try:
  164. links.append((self.get_service(service_name), link_name))
  165. except NoSuchService:
  166. raise ConfigurationError(
  167. 'Service "%s" has a link to service "%s" which does not '
  168. 'exist.' % (service_dict['name'], service_name))
  169. del service_dict['links']
  170. return links
  171. def get_network_mode(self, service_dict, networks):
  172. network_mode = service_dict.pop('network_mode', None)
  173. if not network_mode:
  174. if self.networks.use_networking:
  175. return NetworkMode(networks[0]) if networks else NetworkMode('none')
  176. return NetworkMode(None)
  177. service_name = get_service_name_from_network_mode(network_mode)
  178. if service_name:
  179. return ServiceNetworkMode(self.get_service(service_name))
  180. container_name = get_container_name_from_network_mode(network_mode)
  181. if container_name:
  182. try:
  183. return ContainerNetworkMode(Container.from_id(self.client, container_name))
  184. except APIError:
  185. raise ConfigurationError(
  186. "Service '{name}' uses the network stack of container '{dep}' which "
  187. "does not exist.".format(name=service_dict['name'], dep=container_name))
  188. return NetworkMode(network_mode)
  189. def start(self, service_names=None, **options):
  190. containers = []
  191. def start_service(service):
  192. service_containers = service.start(quiet=True, **options)
  193. containers.extend(service_containers)
  194. services = self.get_services(service_names)
  195. def get_deps(service):
  196. return {
  197. (self.get_service(dep), config)
  198. for dep, config in service.get_dependency_configs().items()
  199. }
  200. parallel.parallel_execute(
  201. services,
  202. start_service,
  203. operator.attrgetter('name'),
  204. 'Starting',
  205. get_deps)
  206. return containers
  207. def stop(self, service_names=None, one_off=OneOffFilter.exclude, **options):
  208. containers = self.containers(service_names, one_off=one_off)
  209. def get_deps(container):
  210. # actually returning inversed dependencies
  211. return {(other, None) for other in containers
  212. if container.service in
  213. self.get_service(other.service).get_dependency_names()}
  214. parallel.parallel_execute(
  215. containers,
  216. self.build_container_operation_with_timeout_func('stop', options),
  217. operator.attrgetter('name'),
  218. 'Stopping',
  219. get_deps)
  220. def pause(self, service_names=None, **options):
  221. containers = self.containers(service_names)
  222. parallel.parallel_pause(reversed(containers), options)
  223. return containers
  224. def unpause(self, service_names=None, **options):
  225. containers = self.containers(service_names)
  226. parallel.parallel_unpause(containers, options)
  227. return containers
  228. def kill(self, service_names=None, **options):
  229. parallel.parallel_kill(self.containers(service_names), options)
  230. def remove_stopped(self, service_names=None, one_off=OneOffFilter.exclude, **options):
  231. parallel.parallel_remove(self.containers(
  232. service_names, stopped=True, one_off=one_off
  233. ), options)
  234. def down(self, remove_image_type, include_volumes, remove_orphans=False):
  235. self.stop(one_off=OneOffFilter.include)
  236. self.find_orphan_containers(remove_orphans)
  237. self.remove_stopped(v=include_volumes, one_off=OneOffFilter.include)
  238. self.networks.remove()
  239. if include_volumes:
  240. self.volumes.remove()
  241. self.remove_images(remove_image_type)
  242. def remove_images(self, remove_image_type):
  243. for service in self.get_services():
  244. service.remove_image(remove_image_type)
  245. def restart(self, service_names=None, **options):
  246. containers = self.containers(service_names, stopped=True)
  247. parallel.parallel_execute(
  248. containers,
  249. self.build_container_operation_with_timeout_func('restart', options),
  250. operator.attrgetter('name'),
  251. 'Restarting')
  252. return containers
  253. def build(self, service_names=None, no_cache=False, pull=False, force_rm=False, build_args=None):
  254. for service in self.get_services(service_names):
  255. if service.can_be_built():
  256. service.build(no_cache, pull, force_rm, build_args)
  257. else:
  258. log.info('%s uses an image, skipping' % service.name)
  259. def create(
  260. self,
  261. service_names=None,
  262. strategy=ConvergenceStrategy.changed,
  263. do_build=BuildAction.none,
  264. ):
  265. services = self.get_services_without_duplicate(service_names, include_deps=True)
  266. for svc in services:
  267. svc.ensure_image_exists(do_build=do_build)
  268. plans = self._get_convergence_plans(services, strategy)
  269. for service in services:
  270. service.execute_convergence_plan(
  271. plans[service.name],
  272. detached=True,
  273. start=False)
  274. def events(self, service_names=None):
  275. def build_container_event(event, container):
  276. time = datetime.datetime.fromtimestamp(event['time'])
  277. time = time.replace(
  278. microsecond=microseconds_from_time_nano(event['timeNano']))
  279. return {
  280. 'time': time,
  281. 'type': 'container',
  282. 'action': event['status'],
  283. 'id': container.id,
  284. 'service': container.service,
  285. 'attributes': {
  286. 'name': container.name,
  287. 'image': event['from'],
  288. },
  289. 'container': container,
  290. }
  291. service_names = set(service_names or self.service_names)
  292. for event in self.client.events(
  293. filters={'label': self.labels()},
  294. decode=True
  295. ):
  296. # The first part of this condition is a guard against some events
  297. # broadcasted by swarm that don't have a status field.
  298. # See https://github.com/docker/compose/issues/3316
  299. if 'status' not in event or event['status'] in IMAGE_EVENTS:
  300. # We don't receive any image events because labels aren't applied
  301. # to images
  302. continue
  303. # TODO: get labels from the API v1.22 , see github issue 2618
  304. try:
  305. # this can fail if the container has been removed
  306. container = Container.from_id(self.client, event['id'])
  307. except APIError:
  308. continue
  309. if container.service not in service_names:
  310. continue
  311. yield build_container_event(event, container)
  312. def up(self,
  313. service_names=None,
  314. start_deps=True,
  315. strategy=ConvergenceStrategy.changed,
  316. do_build=BuildAction.none,
  317. timeout=None,
  318. detached=False,
  319. remove_orphans=False,
  320. scale_override=None,
  321. rescale=True):
  322. warn_for_swarm_mode(self.client)
  323. self.initialize()
  324. self.find_orphan_containers(remove_orphans)
  325. if scale_override is None:
  326. scale_override = {}
  327. services = self.get_services_without_duplicate(
  328. service_names,
  329. include_deps=start_deps)
  330. for svc in services:
  331. svc.ensure_image_exists(do_build=do_build)
  332. plans = self._get_convergence_plans(services, strategy)
  333. def do(service):
  334. return service.execute_convergence_plan(
  335. plans[service.name],
  336. timeout=timeout,
  337. detached=detached,
  338. scale_override=scale_override.get(service.name),
  339. rescale=rescale
  340. )
  341. def get_deps(service):
  342. return {
  343. (self.get_service(dep), config)
  344. for dep, config in service.get_dependency_configs().items()
  345. }
  346. results, errors = parallel.parallel_execute(
  347. services,
  348. do,
  349. operator.attrgetter('name'),
  350. None,
  351. get_deps
  352. )
  353. if errors:
  354. raise ProjectError(
  355. 'Encountered errors while bringing up the project.'
  356. )
  357. return [
  358. container
  359. for svc_containers in results
  360. if svc_containers is not None
  361. for container in svc_containers
  362. ]
  363. def initialize(self):
  364. self.networks.initialize()
  365. self.volumes.initialize()
  366. def _get_convergence_plans(self, services, strategy):
  367. plans = {}
  368. for service in services:
  369. updated_dependencies = [
  370. name
  371. for name in service.get_dependency_names()
  372. if name in plans and
  373. plans[name].action in ('recreate', 'create')
  374. ]
  375. if updated_dependencies and strategy.allows_recreate:
  376. log.debug('%s has upstream changes (%s)',
  377. service.name,
  378. ", ".join(updated_dependencies))
  379. plan = service.convergence_plan(ConvergenceStrategy.always)
  380. else:
  381. plan = service.convergence_plan(strategy)
  382. plans[service.name] = plan
  383. return plans
  384. def pull(self, service_names=None, ignore_pull_failures=False, parallel_pull=False, silent=False):
  385. services = self.get_services(service_names, include_deps=False)
  386. if parallel_pull:
  387. def pull_service(service):
  388. service.pull(ignore_pull_failures, silent=silent)
  389. parallel.parallel_execute(
  390. services,
  391. pull_service,
  392. operator.attrgetter('name'),
  393. 'Pulling',
  394. limit=5)
  395. else:
  396. for service in services:
  397. service.pull(ignore_pull_failures, silent=silent)
  398. def push(self, service_names=None, ignore_push_failures=False):
  399. for service in self.get_services(service_names, include_deps=False):
  400. service.push(ignore_push_failures)
  401. def _labeled_containers(self, stopped=False, one_off=OneOffFilter.exclude):
  402. return list(filter(None, [
  403. Container.from_ps(self.client, container)
  404. for container in self.client.containers(
  405. all=stopped,
  406. filters={'label': self.labels(one_off=one_off)})])
  407. )
  408. def containers(self, service_names=None, stopped=False, one_off=OneOffFilter.exclude):
  409. if service_names:
  410. self.validate_service_names(service_names)
  411. else:
  412. service_names = self.service_names
  413. containers = self._labeled_containers(stopped, one_off)
  414. def matches_service_names(container):
  415. return container.labels.get(LABEL_SERVICE) in service_names
  416. return [c for c in containers if matches_service_names(c)]
  417. def find_orphan_containers(self, remove_orphans):
  418. def _find():
  419. containers = self._labeled_containers()
  420. for ctnr in containers:
  421. service_name = ctnr.labels.get(LABEL_SERVICE)
  422. if service_name not in self.service_names:
  423. yield ctnr
  424. orphans = list(_find())
  425. if not orphans:
  426. return
  427. if remove_orphans:
  428. for ctnr in orphans:
  429. log.info('Removing orphan container "{0}"'.format(ctnr.name))
  430. ctnr.kill()
  431. ctnr.remove(force=True)
  432. else:
  433. log.warning(
  434. 'Found orphan containers ({0}) for this project. If '
  435. 'you removed or renamed this service in your compose '
  436. 'file, you can run this command with the '
  437. '--remove-orphans flag to clean it up.'.format(
  438. ', '.join(["{}".format(ctnr.name) for ctnr in orphans])
  439. )
  440. )
  441. def _inject_deps(self, acc, service):
  442. dep_names = service.get_dependency_names()
  443. if len(dep_names) > 0:
  444. dep_services = self.get_services(
  445. service_names=list(set(dep_names)),
  446. include_deps=True
  447. )
  448. else:
  449. dep_services = []
  450. dep_services.append(service)
  451. return acc + dep_services
  452. def build_container_operation_with_timeout_func(self, operation, options):
  453. def container_operation_with_timeout(container):
  454. if options.get('timeout') is None:
  455. service = self.get_service(container.service)
  456. options['timeout'] = service.stop_timeout(None)
  457. return getattr(container, operation)(**options)
  458. return container_operation_with_timeout
  459. def get_volumes_from(project, service_dict):
  460. volumes_from = service_dict.pop('volumes_from', None)
  461. if not volumes_from:
  462. return []
  463. def build_volume_from(spec):
  464. if spec.type == 'service':
  465. try:
  466. return spec._replace(source=project.get_service(spec.source))
  467. except NoSuchService:
  468. pass
  469. if spec.type == 'container':
  470. try:
  471. container = Container.from_id(project.client, spec.source)
  472. return spec._replace(source=container)
  473. except APIError:
  474. pass
  475. raise ConfigurationError(
  476. "Service \"{}\" mounts volumes from \"{}\", which is not the name "
  477. "of a service or container.".format(
  478. service_dict['name'],
  479. spec.source))
  480. return [build_volume_from(vf) for vf in volumes_from]
  481. def get_secrets(service, service_secrets, secret_defs):
  482. secrets = []
  483. for secret in service_secrets:
  484. secret_def = secret_defs.get(secret.source)
  485. if not secret_def:
  486. raise ConfigurationError(
  487. "Service \"{service}\" uses an undefined secret \"{secret}\" "
  488. .format(service=service, secret=secret.source))
  489. if secret_def.get('external_name'):
  490. log.warn("Service \"{service}\" uses secret \"{secret}\" which is external. "
  491. "External secrets are not available to containers created by "
  492. "docker-compose.".format(service=service, secret=secret.source))
  493. continue
  494. if secret.uid or secret.gid or secret.mode:
  495. log.warn(
  496. "Service \"{service}\" uses secret \"{secret}\" with uid, "
  497. "gid, or mode. These fields are not supported by this "
  498. "implementation of the Compose file".format(
  499. service=service, secret=secret.source
  500. )
  501. )
  502. secrets.append({'secret': secret, 'file': secret_def.get('file')})
  503. return secrets
  504. def warn_for_swarm_mode(client):
  505. info = client.info()
  506. if info.get('Swarm', {}).get('LocalNodeState') == 'active':
  507. if info.get('ServerVersion', '').startswith('ucp'):
  508. # UCP does multi-node scheduling with traditional Compose files.
  509. return
  510. log.warn(
  511. "The Docker Engine you're using is running in swarm mode.\n\n"
  512. "Compose does not use swarm mode to deploy services to multiple nodes in a swarm. "
  513. "All containers will be scheduled on the current node.\n\n"
  514. "To deploy your application across the swarm, "
  515. "use `docker stack deploy`.\n"
  516. )
  517. class NoSuchService(Exception):
  518. def __init__(self, name):
  519. self.name = name
  520. self.msg = "No such service: %s" % self.name
  521. def __str__(self):
  522. return self.msg
  523. class ProjectError(Exception):
  524. def __init__(self, msg):
  525. self.msg = msg