project.py 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822
  1. from __future__ import absolute_import
  2. from __future__ import unicode_literals
  3. import datetime
  4. import logging
  5. import operator
  6. import re
  7. from functools import reduce
  8. import enum
  9. import six
  10. from docker.errors import APIError
  11. from docker.utils import version_lt
  12. from . import parallel
  13. from .config import ConfigurationError
  14. from .config.config import V1
  15. from .config.sort_services import get_container_name_from_network_mode
  16. from .config.sort_services import get_service_name_from_network_mode
  17. from .const import LABEL_ONE_OFF
  18. from .const import LABEL_PROJECT
  19. from .const import LABEL_SERVICE
  20. from .container import Container
  21. from .network import build_networks
  22. from .network import get_networks
  23. from .network import ProjectNetworks
  24. from .service import BuildAction
  25. from .service import ContainerNetworkMode
  26. from .service import ContainerPidMode
  27. from .service import ConvergenceStrategy
  28. from .service import NetworkMode
  29. from .service import parse_repository_tag
  30. from .service import PidMode
  31. from .service import Service
  32. from .service import ServiceNetworkMode
  33. from .service import ServicePidMode
  34. from .utils import microseconds_from_time_nano
  35. from .utils import truncate_string
  36. from .volume import ProjectVolumes
  37. log = logging.getLogger(__name__)
  38. @enum.unique
  39. class OneOffFilter(enum.Enum):
  40. include = 0
  41. exclude = 1
  42. only = 2
  43. @classmethod
  44. def update_labels(cls, value, labels):
  45. if value == cls.only:
  46. labels.append('{0}={1}'.format(LABEL_ONE_OFF, "True"))
  47. elif value == cls.exclude:
  48. labels.append('{0}={1}'.format(LABEL_ONE_OFF, "False"))
  49. elif value == cls.include:
  50. pass
  51. else:
  52. raise ValueError("Invalid value for one_off: {}".format(repr(value)))
  53. class Project(object):
  54. """
  55. A collection of services.
  56. """
  57. def __init__(self, name, services, client, networks=None, volumes=None, config_version=None):
  58. self.name = name
  59. self.services = services
  60. self.client = client
  61. self.volumes = volumes or ProjectVolumes({})
  62. self.networks = networks or ProjectNetworks({}, False)
  63. self.config_version = config_version
  64. def labels(self, one_off=OneOffFilter.exclude, legacy=False):
  65. name = self.name
  66. if legacy:
  67. name = re.sub(r'[_-]', '', name)
  68. labels = ['{0}={1}'.format(LABEL_PROJECT, name)]
  69. OneOffFilter.update_labels(one_off, labels)
  70. return labels
  71. @classmethod
  72. def from_config(cls, name, config_data, client, default_platform=None):
  73. """
  74. Construct a Project from a config.Config object.
  75. """
  76. use_networking = (config_data.version and config_data.version != V1)
  77. networks = build_networks(name, config_data, client)
  78. project_networks = ProjectNetworks.from_services(
  79. config_data.services,
  80. networks,
  81. use_networking)
  82. volumes = ProjectVolumes.from_config(name, config_data, client)
  83. project = cls(name, [], client, project_networks, volumes, config_data.version)
  84. for service_dict in config_data.services:
  85. service_dict = dict(service_dict)
  86. if use_networking:
  87. service_networks = get_networks(service_dict, networks)
  88. else:
  89. service_networks = {}
  90. service_dict.pop('networks', None)
  91. links = project.get_links(service_dict)
  92. network_mode = project.get_network_mode(
  93. service_dict, list(service_networks.keys())
  94. )
  95. pid_mode = project.get_pid_mode(service_dict)
  96. volumes_from = get_volumes_from(project, service_dict)
  97. if config_data.version != V1:
  98. service_dict['volumes'] = [
  99. volumes.namespace_spec(volume_spec)
  100. for volume_spec in service_dict.get('volumes', [])
  101. ]
  102. secrets = get_secrets(
  103. service_dict['name'],
  104. service_dict.pop('secrets', None) or [],
  105. config_data.secrets)
  106. project.services.append(
  107. Service(
  108. service_dict.pop('name'),
  109. client=client,
  110. project=name,
  111. use_networking=use_networking,
  112. networks=service_networks,
  113. links=links,
  114. network_mode=network_mode,
  115. volumes_from=volumes_from,
  116. secrets=secrets,
  117. pid_mode=pid_mode,
  118. platform=service_dict.pop('platform', None),
  119. default_platform=default_platform,
  120. **service_dict)
  121. )
  122. return project
  123. @property
  124. def service_names(self):
  125. return [service.name for service in self.services]
  126. def get_service(self, name):
  127. """
  128. Retrieve a service by name. Raises NoSuchService
  129. if the named service does not exist.
  130. """
  131. for service in self.services:
  132. if service.name == name:
  133. return service
  134. raise NoSuchService(name)
  135. def validate_service_names(self, service_names):
  136. """
  137. Validate that the given list of service names only contains valid
  138. services. Raises NoSuchService if one of the names is invalid.
  139. """
  140. valid_names = self.service_names
  141. for name in service_names:
  142. if name not in valid_names:
  143. raise NoSuchService(name)
  144. def get_services(self, service_names=None, include_deps=False):
  145. """
  146. Returns a list of this project's services filtered
  147. by the provided list of names, or all services if service_names is None
  148. or [].
  149. If include_deps is specified, returns a list including the dependencies for
  150. service_names, in order of dependency.
  151. Preserves the original order of self.services where possible,
  152. reordering as needed to resolve dependencies.
  153. Raises NoSuchService if any of the named services do not exist.
  154. """
  155. if service_names is None or len(service_names) == 0:
  156. service_names = self.service_names
  157. unsorted = [self.get_service(name) for name in service_names]
  158. services = [s for s in self.services if s in unsorted]
  159. if include_deps:
  160. services = reduce(self._inject_deps, services, [])
  161. uniques = []
  162. [uniques.append(s) for s in services if s not in uniques]
  163. return uniques
  164. def get_services_without_duplicate(self, service_names=None, include_deps=False):
  165. services = self.get_services(service_names, include_deps)
  166. for service in services:
  167. service.remove_duplicate_containers()
  168. return services
  169. def get_links(self, service_dict):
  170. links = []
  171. if 'links' in service_dict:
  172. for link in service_dict.get('links', []):
  173. if ':' in link:
  174. service_name, link_name = link.split(':', 1)
  175. else:
  176. service_name, link_name = link, None
  177. try:
  178. links.append((self.get_service(service_name), link_name))
  179. except NoSuchService:
  180. raise ConfigurationError(
  181. 'Service "%s" has a link to service "%s" which does not '
  182. 'exist.' % (service_dict['name'], service_name))
  183. del service_dict['links']
  184. return links
  185. def get_network_mode(self, service_dict, networks):
  186. network_mode = service_dict.pop('network_mode', None)
  187. if not network_mode:
  188. if self.networks.use_networking:
  189. return NetworkMode(networks[0]) if networks else NetworkMode('none')
  190. return NetworkMode(None)
  191. service_name = get_service_name_from_network_mode(network_mode)
  192. if service_name:
  193. return ServiceNetworkMode(self.get_service(service_name))
  194. container_name = get_container_name_from_network_mode(network_mode)
  195. if container_name:
  196. try:
  197. return ContainerNetworkMode(Container.from_id(self.client, container_name))
  198. except APIError:
  199. raise ConfigurationError(
  200. "Service '{name}' uses the network stack of container '{dep}' which "
  201. "does not exist.".format(name=service_dict['name'], dep=container_name))
  202. return NetworkMode(network_mode)
  203. def get_pid_mode(self, service_dict):
  204. pid_mode = service_dict.pop('pid', None)
  205. if not pid_mode:
  206. return PidMode(None)
  207. service_name = get_service_name_from_network_mode(pid_mode)
  208. if service_name:
  209. return ServicePidMode(self.get_service(service_name))
  210. container_name = get_container_name_from_network_mode(pid_mode)
  211. if container_name:
  212. try:
  213. return ContainerPidMode(Container.from_id(self.client, container_name))
  214. except APIError:
  215. raise ConfigurationError(
  216. "Service '{name}' uses the PID namespace of container '{dep}' which "
  217. "does not exist.".format(name=service_dict['name'], dep=container_name)
  218. )
  219. return PidMode(pid_mode)
  220. def start(self, service_names=None, **options):
  221. containers = []
  222. def start_service(service):
  223. service_containers = service.start(quiet=True, **options)
  224. containers.extend(service_containers)
  225. services = self.get_services(service_names)
  226. def get_deps(service):
  227. return {
  228. (self.get_service(dep), config)
  229. for dep, config in service.get_dependency_configs().items()
  230. }
  231. parallel.parallel_execute(
  232. services,
  233. start_service,
  234. operator.attrgetter('name'),
  235. 'Starting',
  236. get_deps,
  237. fail_check=lambda obj: not obj.containers(),
  238. )
  239. return containers
  240. def stop(self, service_names=None, one_off=OneOffFilter.exclude, **options):
  241. containers = self.containers(service_names, one_off=one_off)
  242. def get_deps(container):
  243. # actually returning inversed dependencies
  244. return {(other, None) for other in containers
  245. if container.service in
  246. self.get_service(other.service).get_dependency_names()}
  247. parallel.parallel_execute(
  248. containers,
  249. self.build_container_operation_with_timeout_func('stop', options),
  250. operator.attrgetter('name'),
  251. 'Stopping',
  252. get_deps,
  253. )
  254. def pause(self, service_names=None, **options):
  255. containers = self.containers(service_names)
  256. parallel.parallel_pause(reversed(containers), options)
  257. return containers
  258. def unpause(self, service_names=None, **options):
  259. containers = self.containers(service_names)
  260. parallel.parallel_unpause(containers, options)
  261. return containers
  262. def kill(self, service_names=None, **options):
  263. parallel.parallel_kill(self.containers(service_names), options)
  264. def remove_stopped(self, service_names=None, one_off=OneOffFilter.exclude, **options):
  265. parallel.parallel_remove(self.containers(
  266. service_names, stopped=True, one_off=one_off
  267. ), options)
  268. def down(
  269. self,
  270. remove_image_type,
  271. include_volumes,
  272. remove_orphans=False,
  273. timeout=None,
  274. ignore_orphans=False):
  275. self.stop(one_off=OneOffFilter.include, timeout=timeout)
  276. if not ignore_orphans:
  277. self.find_orphan_containers(remove_orphans)
  278. self.remove_stopped(v=include_volumes, one_off=OneOffFilter.include)
  279. self.networks.remove()
  280. if include_volumes:
  281. self.volumes.remove()
  282. self.remove_images(remove_image_type)
  283. def remove_images(self, remove_image_type):
  284. for service in self.get_services():
  285. service.remove_image(remove_image_type)
  286. def restart(self, service_names=None, **options):
  287. containers = self.containers(service_names, stopped=True)
  288. parallel.parallel_execute(
  289. containers,
  290. self.build_container_operation_with_timeout_func('restart', options),
  291. operator.attrgetter('name'),
  292. 'Restarting',
  293. )
  294. return containers
  295. def build(self, service_names=None, no_cache=False, pull=False, force_rm=False, memory=None,
  296. build_args=None, gzip=False, parallel_build=False, rm=True, silent=False, cli=False,
  297. progress=None):
  298. services = []
  299. for service in self.get_services(service_names):
  300. if service.can_be_built():
  301. services.append(service)
  302. elif not silent:
  303. log.info('%s uses an image, skipping' % service.name)
  304. if cli:
  305. log.warning("Native build is an experimental feature and could change at any time")
  306. def build_service(service):
  307. service.build(no_cache, pull, force_rm, memory, build_args, gzip, rm, silent, cli, progress)
  308. if parallel_build:
  309. _, errors = parallel.parallel_execute(
  310. services,
  311. build_service,
  312. operator.attrgetter('name'),
  313. 'Building',
  314. limit=5,
  315. )
  316. if len(errors):
  317. combined_errors = '\n'.join([
  318. e.decode('utf-8') if isinstance(e, six.binary_type) else e for e in errors.values()
  319. ])
  320. raise ProjectError(combined_errors)
  321. else:
  322. for service in services:
  323. build_service(service)
  324. def create(
  325. self,
  326. service_names=None,
  327. strategy=ConvergenceStrategy.changed,
  328. do_build=BuildAction.none,
  329. ):
  330. services = self.get_services_without_duplicate(service_names, include_deps=True)
  331. for svc in services:
  332. svc.ensure_image_exists(do_build=do_build)
  333. plans = self._get_convergence_plans(services, strategy)
  334. for service in services:
  335. service.execute_convergence_plan(
  336. plans[service.name],
  337. detached=True,
  338. start=False)
  339. def _legacy_event_processor(self, service_names):
  340. # Only for v1 files or when Compose is forced to use an older API version
  341. def build_container_event(event, container):
  342. time = datetime.datetime.fromtimestamp(event['time'])
  343. time = time.replace(
  344. microsecond=microseconds_from_time_nano(event['timeNano'])
  345. )
  346. return {
  347. 'time': time,
  348. 'type': 'container',
  349. 'action': event['status'],
  350. 'id': container.id,
  351. 'service': container.service,
  352. 'attributes': {
  353. 'name': container.name,
  354. 'image': event['from'],
  355. },
  356. 'container': container,
  357. }
  358. service_names = set(service_names or self.service_names)
  359. for event in self.client.events(
  360. filters={'label': self.labels()},
  361. decode=True
  362. ):
  363. # This is a guard against some events broadcasted by swarm that
  364. # don't have a status field.
  365. # See https://github.com/docker/compose/issues/3316
  366. if 'status' not in event:
  367. continue
  368. try:
  369. # this can fail if the container has been removed or if the event
  370. # refers to an image
  371. container = Container.from_id(self.client, event['id'])
  372. except APIError:
  373. continue
  374. if container.service not in service_names:
  375. continue
  376. yield build_container_event(event, container)
  377. def events(self, service_names=None):
  378. if version_lt(self.client.api_version, '1.22'):
  379. # New, better event API was introduced in 1.22.
  380. return self._legacy_event_processor(service_names)
  381. def build_container_event(event):
  382. container_attrs = event['Actor']['Attributes']
  383. time = datetime.datetime.fromtimestamp(event['time'])
  384. time = time.replace(
  385. microsecond=microseconds_from_time_nano(event['timeNano'])
  386. )
  387. container = None
  388. try:
  389. container = Container.from_id(self.client, event['id'])
  390. except APIError:
  391. # Container may have been removed (e.g. if this is a destroy event)
  392. pass
  393. return {
  394. 'time': time,
  395. 'type': 'container',
  396. 'action': event['status'],
  397. 'id': event['Actor']['ID'],
  398. 'service': container_attrs.get(LABEL_SERVICE),
  399. 'attributes': dict([
  400. (k, v) for k, v in container_attrs.items()
  401. if not k.startswith('com.docker.compose.')
  402. ]),
  403. 'container': container,
  404. }
  405. def yield_loop(service_names):
  406. for event in self.client.events(
  407. filters={'label': self.labels()},
  408. decode=True
  409. ):
  410. # TODO: support other event types
  411. if event.get('Type') != 'container':
  412. continue
  413. try:
  414. if event['Actor']['Attributes'][LABEL_SERVICE] not in service_names:
  415. continue
  416. except KeyError:
  417. continue
  418. yield build_container_event(event)
  419. return yield_loop(set(service_names) if service_names else self.service_names)
  420. def up(self,
  421. service_names=None,
  422. start_deps=True,
  423. strategy=ConvergenceStrategy.changed,
  424. do_build=BuildAction.none,
  425. timeout=None,
  426. detached=False,
  427. remove_orphans=False,
  428. ignore_orphans=False,
  429. scale_override=None,
  430. rescale=True,
  431. start=True,
  432. always_recreate_deps=False,
  433. reset_container_image=False,
  434. renew_anonymous_volumes=False,
  435. silent=False,
  436. cli=False,
  437. ):
  438. if cli:
  439. log.warning("Native build is an experimental feature and could change at any time")
  440. self.initialize()
  441. if not ignore_orphans:
  442. self.find_orphan_containers(remove_orphans)
  443. if scale_override is None:
  444. scale_override = {}
  445. services = self.get_services_without_duplicate(
  446. service_names,
  447. include_deps=start_deps)
  448. for svc in services:
  449. svc.ensure_image_exists(do_build=do_build, silent=silent, cli=cli)
  450. plans = self._get_convergence_plans(
  451. services, strategy, always_recreate_deps=always_recreate_deps)
  452. def do(service):
  453. return service.execute_convergence_plan(
  454. plans[service.name],
  455. timeout=timeout,
  456. detached=detached,
  457. scale_override=scale_override.get(service.name),
  458. rescale=rescale,
  459. start=start,
  460. reset_container_image=reset_container_image,
  461. renew_anonymous_volumes=renew_anonymous_volumes,
  462. )
  463. def get_deps(service):
  464. return {
  465. (self.get_service(dep), config)
  466. for dep, config in service.get_dependency_configs().items()
  467. }
  468. results, errors = parallel.parallel_execute(
  469. services,
  470. do,
  471. operator.attrgetter('name'),
  472. None,
  473. get_deps,
  474. )
  475. if errors:
  476. raise ProjectError(
  477. 'Encountered errors while bringing up the project.'
  478. )
  479. return [
  480. container
  481. for svc_containers in results
  482. if svc_containers is not None
  483. for container in svc_containers
  484. ]
  485. def initialize(self):
  486. self.networks.initialize()
  487. self.volumes.initialize()
  488. def _get_convergence_plans(self, services, strategy, always_recreate_deps=False):
  489. plans = {}
  490. for service in services:
  491. updated_dependencies = [
  492. name
  493. for name in service.get_dependency_names()
  494. if name in plans and
  495. plans[name].action in ('recreate', 'create')
  496. ]
  497. if updated_dependencies and strategy.allows_recreate:
  498. log.debug('%s has upstream changes (%s)',
  499. service.name,
  500. ", ".join(updated_dependencies))
  501. containers_stopped = any(
  502. service.containers(stopped=True, filters={'status': ['created', 'exited']}))
  503. service_has_links = any(service.get_link_names())
  504. container_has_links = any(c.get('HostConfig.Links') for c in service.containers())
  505. should_recreate_for_links = service_has_links ^ container_has_links
  506. if always_recreate_deps or containers_stopped or should_recreate_for_links:
  507. plan = service.convergence_plan(ConvergenceStrategy.always)
  508. else:
  509. plan = service.convergence_plan(strategy)
  510. else:
  511. plan = service.convergence_plan(strategy)
  512. plans[service.name] = plan
  513. return plans
  514. def pull(self, service_names=None, ignore_pull_failures=False, parallel_pull=False, silent=False,
  515. include_deps=False):
  516. services = self.get_services(service_names, include_deps)
  517. images_to_build = {service.image_name for service in services if service.can_be_built()}
  518. services_to_pull = [service for service in services if service.image_name not in images_to_build]
  519. msg = not silent and 'Pulling' or None
  520. if parallel_pull:
  521. def pull_service(service):
  522. strm = service.pull(ignore_pull_failures, True, stream=True)
  523. if strm is None: # Attempting to pull service with no `image` key is a no-op
  524. return
  525. writer = parallel.get_stream_writer()
  526. for event in strm:
  527. if 'status' not in event:
  528. continue
  529. status = event['status'].lower()
  530. if 'progressDetail' in event:
  531. detail = event['progressDetail']
  532. if 'current' in detail and 'total' in detail:
  533. percentage = float(detail['current']) / float(detail['total'])
  534. status = '{} ({:.1%})'.format(status, percentage)
  535. writer.write(
  536. msg, service.name, truncate_string(status), lambda s: s
  537. )
  538. _, errors = parallel.parallel_execute(
  539. services_to_pull,
  540. pull_service,
  541. operator.attrgetter('name'),
  542. msg,
  543. limit=5,
  544. )
  545. if len(errors):
  546. combined_errors = '\n'.join([
  547. e.decode('utf-8') if isinstance(e, six.binary_type) else e for e in errors.values()
  548. ])
  549. raise ProjectError(combined_errors)
  550. else:
  551. for service in services_to_pull:
  552. service.pull(ignore_pull_failures, silent=silent)
  553. def push(self, service_names=None, ignore_push_failures=False):
  554. unique_images = set()
  555. for service in self.get_services(service_names, include_deps=False):
  556. # Considering <image> and <image:latest> as the same
  557. repo, tag, sep = parse_repository_tag(service.image_name)
  558. service_image_name = sep.join((repo, tag)) if tag else sep.join((repo, 'latest'))
  559. if service_image_name not in unique_images:
  560. service.push(ignore_push_failures)
  561. unique_images.add(service_image_name)
  562. def _labeled_containers(self, stopped=False, one_off=OneOffFilter.exclude):
  563. ctnrs = list(filter(None, [
  564. Container.from_ps(self.client, container)
  565. for container in self.client.containers(
  566. all=stopped,
  567. filters={'label': self.labels(one_off=one_off)})])
  568. )
  569. if ctnrs:
  570. return ctnrs
  571. return list(filter(lambda c: c.has_legacy_proj_name(self.name), filter(None, [
  572. Container.from_ps(self.client, container)
  573. for container in self.client.containers(
  574. all=stopped,
  575. filters={'label': self.labels(one_off=one_off, legacy=True)})])
  576. ))
  577. def containers(self, service_names=None, stopped=False, one_off=OneOffFilter.exclude):
  578. if service_names:
  579. self.validate_service_names(service_names)
  580. else:
  581. service_names = self.service_names
  582. containers = self._labeled_containers(stopped, one_off)
  583. def matches_service_names(container):
  584. return container.labels.get(LABEL_SERVICE) in service_names
  585. return [c for c in containers if matches_service_names(c)]
  586. def find_orphan_containers(self, remove_orphans):
  587. def _find():
  588. containers = set(self._labeled_containers() + self._labeled_containers(stopped=True))
  589. for ctnr in containers:
  590. service_name = ctnr.labels.get(LABEL_SERVICE)
  591. if service_name not in self.service_names:
  592. yield ctnr
  593. orphans = list(_find())
  594. if not orphans:
  595. return
  596. if remove_orphans:
  597. for ctnr in orphans:
  598. log.info('Removing orphan container "{0}"'.format(ctnr.name))
  599. try:
  600. ctnr.kill()
  601. except APIError:
  602. pass
  603. ctnr.remove(force=True)
  604. else:
  605. log.warning(
  606. 'Found orphan containers ({0}) for this project. If '
  607. 'you removed or renamed this service in your compose '
  608. 'file, you can run this command with the '
  609. '--remove-orphans flag to clean it up.'.format(
  610. ', '.join(["{}".format(ctnr.name) for ctnr in orphans])
  611. )
  612. )
  613. def _inject_deps(self, acc, service):
  614. dep_names = service.get_dependency_names()
  615. if len(dep_names) > 0:
  616. dep_services = self.get_services(
  617. service_names=list(set(dep_names)),
  618. include_deps=True
  619. )
  620. else:
  621. dep_services = []
  622. dep_services.append(service)
  623. return acc + dep_services
  624. def build_container_operation_with_timeout_func(self, operation, options):
  625. def container_operation_with_timeout(container):
  626. _options = options.copy()
  627. if _options.get('timeout') is None:
  628. service = self.get_service(container.service)
  629. _options['timeout'] = service.stop_timeout(None)
  630. return getattr(container, operation)(**_options)
  631. return container_operation_with_timeout
  632. def get_volumes_from(project, service_dict):
  633. volumes_from = service_dict.pop('volumes_from', None)
  634. if not volumes_from:
  635. return []
  636. def build_volume_from(spec):
  637. if spec.type == 'service':
  638. try:
  639. return spec._replace(source=project.get_service(spec.source))
  640. except NoSuchService:
  641. pass
  642. if spec.type == 'container':
  643. try:
  644. container = Container.from_id(project.client, spec.source)
  645. return spec._replace(source=container)
  646. except APIError:
  647. pass
  648. raise ConfigurationError(
  649. "Service \"{}\" mounts volumes from \"{}\", which is not the name "
  650. "of a service or container.".format(
  651. service_dict['name'],
  652. spec.source))
  653. return [build_volume_from(vf) for vf in volumes_from]
  654. def get_secrets(service, service_secrets, secret_defs):
  655. secrets = []
  656. for secret in service_secrets:
  657. secret_def = secret_defs.get(secret.source)
  658. if not secret_def:
  659. raise ConfigurationError(
  660. "Service \"{service}\" uses an undefined secret \"{secret}\" "
  661. .format(service=service, secret=secret.source))
  662. if secret_def.get('external'):
  663. log.warning("Service \"{service}\" uses secret \"{secret}\" which is external. "
  664. "External secrets are not available to containers created by "
  665. "docker-compose.".format(service=service, secret=secret.source))
  666. continue
  667. if secret.uid or secret.gid or secret.mode:
  668. log.warning(
  669. "Service \"{service}\" uses secret \"{secret}\" with uid, "
  670. "gid, or mode. These fields are not supported by this "
  671. "implementation of the Compose file".format(
  672. service=service, secret=secret.source
  673. )
  674. )
  675. secrets.append({'secret': secret, 'file': secret_def.get('file')})
  676. return secrets
  677. class NoSuchService(Exception):
  678. def __init__(self, name):
  679. if isinstance(name, six.binary_type):
  680. name = name.decode('utf-8')
  681. self.name = name
  682. self.msg = "No such service: %s" % self.name
  683. def __str__(self):
  684. return self.msg
  685. class ProjectError(Exception):
  686. def __init__(self, msg):
  687. self.msg = msg