main.py 52 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260126112621263126412651266126712681269127012711272127312741275127612771278127912801281128212831284128512861287128812891290129112921293129412951296129712981299130013011302130313041305130613071308130913101311131213131314131513161317131813191320132113221323132413251326132713281329133013311332133313341335133613371338133913401341134213431344134513461347134813491350135113521353135413551356135713581359136013611362136313641365136613671368136913701371137213731374137513761377137813791380138113821383138413851386138713881389139013911392139313941395139613971398139914001401140214031404140514061407140814091410141114121413141414151416141714181419142014211422142314241425142614271428142914301431143214331434143514361437143814391440144114421443144414451446144714481449145014511452145314541455
  1. from __future__ import absolute_import
  2. from __future__ import print_function
  3. from __future__ import unicode_literals
  4. import contextlib
  5. import functools
  6. import json
  7. import logging
  8. import pipes
  9. import re
  10. import subprocess
  11. import sys
  12. from distutils.spawn import find_executable
  13. from inspect import getdoc
  14. from operator import attrgetter
  15. import docker
  16. from . import errors
  17. from . import signals
  18. from .. import __version__
  19. from ..bundle import get_image_digests
  20. from ..bundle import MissingDigests
  21. from ..bundle import serialize_bundle
  22. from ..config import ConfigurationError
  23. from ..config import parse_environment
  24. from ..config import parse_labels
  25. from ..config import resolve_build_args
  26. from ..config.environment import Environment
  27. from ..config.serialize import serialize_config
  28. from ..config.types import VolumeSpec
  29. from ..const import COMPOSEFILE_V2_2 as V2_2
  30. from ..const import IS_WINDOWS_PLATFORM
  31. from ..errors import StreamParseError
  32. from ..progress_stream import StreamOutputError
  33. from ..project import NoSuchService
  34. from ..project import OneOffFilter
  35. from ..project import ProjectError
  36. from ..service import BuildAction
  37. from ..service import BuildError
  38. from ..service import ConvergenceStrategy
  39. from ..service import ImageType
  40. from ..service import NeedsBuildError
  41. from ..service import OperationFailedError
  42. from .command import get_config_from_options
  43. from .command import project_from_options
  44. from .docopt_command import DocoptDispatcher
  45. from .docopt_command import get_handler
  46. from .docopt_command import NoSuchCommand
  47. from .errors import UserError
  48. from .formatter import ConsoleWarningFormatter
  49. from .formatter import Formatter
  50. from .log_printer import build_log_presenters
  51. from .log_printer import LogPrinter
  52. from .utils import get_version_info
  53. from .utils import human_readable_file_size
  54. from .utils import yesno
  55. if not IS_WINDOWS_PLATFORM:
  56. from dockerpty.pty import PseudoTerminal, RunOperation, ExecOperation
  57. log = logging.getLogger(__name__)
  58. console_handler = logging.StreamHandler(sys.stderr)
  59. def main():
  60. signals.ignore_sigpipe()
  61. try:
  62. command = dispatch()
  63. command()
  64. except (KeyboardInterrupt, signals.ShutdownException):
  65. log.error("Aborting.")
  66. sys.exit(1)
  67. except (UserError, NoSuchService, ConfigurationError,
  68. ProjectError, OperationFailedError) as e:
  69. log.error(e.msg)
  70. sys.exit(1)
  71. except BuildError as e:
  72. log.error("Service '%s' failed to build: %s" % (e.service.name, e.reason))
  73. sys.exit(1)
  74. except StreamOutputError as e:
  75. log.error(e)
  76. sys.exit(1)
  77. except NeedsBuildError as e:
  78. log.error("Service '%s' needs to be built, but --no-build was passed." % e.service.name)
  79. sys.exit(1)
  80. except NoSuchCommand as e:
  81. commands = "\n".join(parse_doc_section("commands:", getdoc(e.supercommand)))
  82. log.error("No such command: %s\n\n%s", e.command, commands)
  83. sys.exit(1)
  84. except (errors.ConnectionError, StreamParseError):
  85. sys.exit(1)
  86. def dispatch():
  87. setup_logging()
  88. dispatcher = DocoptDispatcher(
  89. TopLevelCommand,
  90. {'options_first': True, 'version': get_version_info('compose')})
  91. options, handler, command_options = dispatcher.parse(sys.argv[1:])
  92. setup_console_handler(console_handler, options.get('--verbose'), options.get('--no-ansi'))
  93. setup_parallel_logger(options.get('--no-ansi'))
  94. if options.get('--no-ansi'):
  95. command_options['--no-color'] = True
  96. return functools.partial(perform_command, options, handler, command_options)
  97. def perform_command(options, handler, command_options):
  98. if options['COMMAND'] in ('help', 'version'):
  99. # Skip looking up the compose file.
  100. handler(command_options)
  101. return
  102. if options['COMMAND'] in ('config', 'bundle'):
  103. command = TopLevelCommand(None)
  104. handler(command, options, command_options)
  105. return
  106. project = project_from_options('.', options)
  107. command = TopLevelCommand(project)
  108. with errors.handle_connection_errors(project.client):
  109. handler(command, command_options)
  110. def setup_logging():
  111. root_logger = logging.getLogger()
  112. root_logger.addHandler(console_handler)
  113. root_logger.setLevel(logging.DEBUG)
  114. # Disable requests logging
  115. logging.getLogger("requests").propagate = False
  116. def setup_parallel_logger(noansi):
  117. if noansi:
  118. import compose.parallel
  119. compose.parallel.ParallelStreamWriter.set_noansi()
  120. def setup_console_handler(handler, verbose, noansi=False):
  121. if handler.stream.isatty() and noansi is False:
  122. format_class = ConsoleWarningFormatter
  123. else:
  124. format_class = logging.Formatter
  125. if verbose:
  126. handler.setFormatter(format_class('%(name)s.%(funcName)s: %(message)s'))
  127. handler.setLevel(logging.DEBUG)
  128. else:
  129. handler.setFormatter(format_class())
  130. handler.setLevel(logging.INFO)
  131. # stolen from docopt master
  132. def parse_doc_section(name, source):
  133. pattern = re.compile('^([^\n]*' + name + '[^\n]*\n?(?:[ \t].*?(?:\n|$))*)',
  134. re.IGNORECASE | re.MULTILINE)
  135. return [s.strip() for s in pattern.findall(source)]
  136. class TopLevelCommand(object):
  137. """Define and run multi-container applications with Docker.
  138. Usage:
  139. docker-compose [-f <arg>...] [options] [COMMAND] [ARGS...]
  140. docker-compose -h|--help
  141. Options:
  142. -f, --file FILE Specify an alternate compose file (default: docker-compose.yml)
  143. -p, --project-name NAME Specify an alternate project name (default: directory name)
  144. --verbose Show more output
  145. --no-ansi Do not print ANSI control characters
  146. -v, --version Print version and exit
  147. -H, --host HOST Daemon socket to connect to
  148. --tls Use TLS; implied by --tlsverify
  149. --tlscacert CA_PATH Trust certs signed only by this CA
  150. --tlscert CLIENT_CERT_PATH Path to TLS certificate file
  151. --tlskey TLS_KEY_PATH Path to TLS key file
  152. --tlsverify Use TLS and verify the remote
  153. --skip-hostname-check Don't check the daemon's hostname against the name specified
  154. in the client certificate (for example if your docker host
  155. is an IP address)
  156. --project-directory PATH Specify an alternate working directory
  157. (default: the path of the Compose file)
  158. Commands:
  159. build Build or rebuild services
  160. bundle Generate a Docker bundle from the Compose file
  161. config Validate and view the Compose file
  162. create Create services
  163. down Stop and remove containers, networks, images, and volumes
  164. events Receive real time events from containers
  165. exec Execute a command in a running container
  166. help Get help on a command
  167. images List images
  168. kill Kill containers
  169. logs View output from containers
  170. pause Pause services
  171. port Print the public port for a port binding
  172. ps List containers
  173. pull Pull service images
  174. push Push service images
  175. restart Restart services
  176. rm Remove stopped containers
  177. run Run a one-off command
  178. scale Set number of containers for a service
  179. start Start services
  180. stop Stop services
  181. top Display the running processes
  182. unpause Unpause services
  183. up Create and start containers
  184. version Show the Docker-Compose version information
  185. """
  186. def __init__(self, project, project_dir='.'):
  187. self.project = project
  188. self.project_dir = '.'
  189. def build(self, options):
  190. """
  191. Build or rebuild services.
  192. Services are built once and then tagged as `project_service`,
  193. e.g. `composetest_db`. If you change a service's `Dockerfile` or the
  194. contents of its build directory, you can run `docker-compose build` to rebuild it.
  195. Usage: build [options] [--build-arg key=val...] [SERVICE...]
  196. Options:
  197. --force-rm Always remove intermediate containers.
  198. --no-cache Do not use cache when building the image.
  199. --pull Always attempt to pull a newer version of the image.
  200. -m, --memory MEM Sets memory limit for the build container.
  201. --build-arg key=val Set build-time variables for one service.
  202. """
  203. service_names = options['SERVICE']
  204. build_args = options.get('--build-arg', None)
  205. if build_args:
  206. environment = Environment.from_env_file(self.project_dir)
  207. build_args = resolve_build_args(build_args, environment)
  208. if not service_names and build_args:
  209. raise UserError("Need service name for --build-arg option")
  210. self.project.build(
  211. service_names=service_names,
  212. no_cache=bool(options.get('--no-cache', False)),
  213. pull=bool(options.get('--pull', False)),
  214. force_rm=bool(options.get('--force-rm', False)),
  215. memory=options.get('--memory'),
  216. build_args=build_args)
  217. def bundle(self, config_options, options):
  218. """
  219. Generate a Distributed Application Bundle (DAB) from the Compose file.
  220. Images must have digests stored, which requires interaction with a
  221. Docker registry. If digests aren't stored for all images, you can fetch
  222. them with `docker-compose pull` or `docker-compose push`. To push images
  223. automatically when bundling, pass `--push-images`. Only services with
  224. a `build` option specified will have their images pushed.
  225. Usage: bundle [options]
  226. Options:
  227. --push-images Automatically push images for any services
  228. which have a `build` option specified.
  229. -o, --output PATH Path to write the bundle file to.
  230. Defaults to "<project name>.dab".
  231. """
  232. self.project = project_from_options('.', config_options)
  233. compose_config = get_config_from_options(self.project_dir, config_options)
  234. output = options["--output"]
  235. if not output:
  236. output = "{}.dab".format(self.project.name)
  237. image_digests = image_digests_for_project(self.project, options['--push-images'])
  238. with open(output, 'w') as f:
  239. f.write(serialize_bundle(compose_config, image_digests))
  240. log.info("Wrote bundle to {}".format(output))
  241. def config(self, config_options, options):
  242. """
  243. Validate and view the Compose file.
  244. Usage: config [options]
  245. Options:
  246. --resolve-image-digests Pin image tags to digests.
  247. -q, --quiet Only validate the configuration, don't print
  248. anything.
  249. --services Print the service names, one per line.
  250. --volumes Print the volume names, one per line.
  251. """
  252. compose_config = get_config_from_options(self.project_dir, config_options)
  253. image_digests = None
  254. if options['--resolve-image-digests']:
  255. self.project = project_from_options('.', config_options)
  256. image_digests = image_digests_for_project(self.project)
  257. if options['--quiet']:
  258. return
  259. if options['--services']:
  260. print('\n'.join(service['name'] for service in compose_config.services))
  261. return
  262. if options['--volumes']:
  263. print('\n'.join(volume for volume in compose_config.volumes))
  264. return
  265. print(serialize_config(compose_config, image_digests))
  266. def create(self, options):
  267. """
  268. Creates containers for a service.
  269. This command is deprecated. Use the `up` command with `--no-start` instead.
  270. Usage: create [options] [SERVICE...]
  271. Options:
  272. --force-recreate Recreate containers even if their configuration and
  273. image haven't changed. Incompatible with --no-recreate.
  274. --no-recreate If containers already exist, don't recreate them.
  275. Incompatible with --force-recreate.
  276. --no-build Don't build an image, even if it's missing.
  277. --build Build images before creating containers.
  278. """
  279. service_names = options['SERVICE']
  280. log.warn(
  281. 'The create command is deprecated. '
  282. 'Use the up command with the --no-start flag instead.'
  283. )
  284. self.project.create(
  285. service_names=service_names,
  286. strategy=convergence_strategy_from_opts(options),
  287. do_build=build_action_from_opts(options),
  288. )
  289. def down(self, options):
  290. """
  291. Stops containers and removes containers, networks, volumes, and images
  292. created by `up`.
  293. By default, the only things removed are:
  294. - Containers for services defined in the Compose file
  295. - Networks defined in the `networks` section of the Compose file
  296. - The default network, if one is used
  297. Networks and volumes defined as `external` are never removed.
  298. Usage: down [options]
  299. Options:
  300. --rmi type Remove images. Type must be one of:
  301. 'all': Remove all images used by any service.
  302. 'local': Remove only images that don't have a
  303. custom tag set by the `image` field.
  304. -v, --volumes Remove named volumes declared in the `volumes`
  305. section of the Compose file and anonymous volumes
  306. attached to containers.
  307. --remove-orphans Remove containers for services not defined in the
  308. Compose file
  309. -t, --timeout TIMEOUT Specify a shutdown timeout in seconds.
  310. (default: 10)
  311. """
  312. environment = Environment.from_env_file(self.project_dir)
  313. ignore_orphans = environment.get_boolean('COMPOSE_IGNORE_ORPHANS')
  314. if ignore_orphans and options['--remove-orphans']:
  315. raise UserError("COMPOSE_IGNORE_ORPHANS and --remove-orphans cannot be combined.")
  316. image_type = image_type_from_opt('--rmi', options['--rmi'])
  317. timeout = timeout_from_opts(options)
  318. self.project.down(
  319. image_type,
  320. options['--volumes'],
  321. options['--remove-orphans'],
  322. timeout=timeout,
  323. ignore_orphans=ignore_orphans)
  324. def events(self, options):
  325. """
  326. Receive real time events from containers.
  327. Usage: events [options] [SERVICE...]
  328. Options:
  329. --json Output events as a stream of json objects
  330. """
  331. def format_event(event):
  332. attributes = ["%s=%s" % item for item in event['attributes'].items()]
  333. return ("{time} {type} {action} {id} ({attrs})").format(
  334. attrs=", ".join(sorted(attributes)),
  335. **event)
  336. def json_format_event(event):
  337. event['time'] = event['time'].isoformat()
  338. event.pop('container')
  339. return json.dumps(event)
  340. for event in self.project.events():
  341. formatter = json_format_event if options['--json'] else format_event
  342. print(formatter(event))
  343. sys.stdout.flush()
  344. def exec_command(self, options):
  345. """
  346. Execute a command in a running container
  347. Usage: exec [options] [-e KEY=VAL...] SERVICE COMMAND [ARGS...]
  348. Options:
  349. -d Detached mode: Run command in the background.
  350. --privileged Give extended privileges to the process.
  351. -u, --user USER Run the command as this user.
  352. -T Disable pseudo-tty allocation. By default `docker-compose exec`
  353. allocates a TTY.
  354. --index=index index of the container if there are multiple
  355. instances of a service [default: 1]
  356. -e, --env KEY=VAL Set environment variables (can be used multiple times,
  357. not supported in API < 1.25)
  358. """
  359. environment = Environment.from_env_file(self.project_dir)
  360. use_cli = not environment.get_boolean('COMPOSE_INTERACTIVE_NO_CLI')
  361. index = int(options.get('--index'))
  362. service = self.project.get_service(options['SERVICE'])
  363. detach = options['-d']
  364. if options['--env'] and docker.utils.version_lt(self.project.client.api_version, '1.25'):
  365. raise UserError("Setting environment for exec is not supported in API < 1.25'")
  366. try:
  367. container = service.get_container(number=index)
  368. except ValueError as e:
  369. raise UserError(str(e))
  370. command = [options['COMMAND']] + options['ARGS']
  371. tty = not options["-T"]
  372. if IS_WINDOWS_PLATFORM or use_cli and not detach:
  373. sys.exit(call_docker(build_exec_command(options, container.id, command)))
  374. create_exec_options = {
  375. "privileged": options["--privileged"],
  376. "user": options["--user"],
  377. "tty": tty,
  378. "stdin": True,
  379. }
  380. if docker.utils.version_gte(self.project.client.api_version, '1.25'):
  381. create_exec_options["environment"] = options["--env"]
  382. exec_id = container.create_exec(command, **create_exec_options)
  383. if detach:
  384. container.start_exec(exec_id, tty=tty, stream=True)
  385. return
  386. signals.set_signal_handler_to_shutdown()
  387. try:
  388. operation = ExecOperation(
  389. self.project.client,
  390. exec_id,
  391. interactive=tty,
  392. )
  393. pty = PseudoTerminal(self.project.client, operation)
  394. pty.start()
  395. except signals.ShutdownException:
  396. log.info("received shutdown exception: closing")
  397. exit_code = self.project.client.exec_inspect(exec_id).get("ExitCode")
  398. sys.exit(exit_code)
  399. @classmethod
  400. def help(cls, options):
  401. """
  402. Get help on a command.
  403. Usage: help [COMMAND]
  404. """
  405. if options['COMMAND']:
  406. subject = get_handler(cls, options['COMMAND'])
  407. else:
  408. subject = cls
  409. print(getdoc(subject))
  410. def images(self, options):
  411. """
  412. List images used by the created containers.
  413. Usage: images [options] [SERVICE...]
  414. Options:
  415. -q, --quiet Only display IDs
  416. """
  417. containers = sorted(
  418. self.project.containers(service_names=options['SERVICE'], stopped=True) +
  419. self.project.containers(service_names=options['SERVICE'], one_off=OneOffFilter.only),
  420. key=attrgetter('name'))
  421. if options['--quiet']:
  422. for image in set(c.image for c in containers):
  423. print(image.split(':')[1])
  424. else:
  425. headers = [
  426. 'Container',
  427. 'Repository',
  428. 'Tag',
  429. 'Image Id',
  430. 'Size'
  431. ]
  432. rows = []
  433. for container in containers:
  434. image_config = container.image_config
  435. repo_tags = (
  436. image_config['RepoTags'][0].rsplit(':', 1) if image_config['RepoTags']
  437. else ('<none>', '<none>')
  438. )
  439. image_id = image_config['Id'].split(':')[1][:12]
  440. size = human_readable_file_size(image_config['Size'])
  441. rows.append([
  442. container.name,
  443. repo_tags[0],
  444. repo_tags[1],
  445. image_id,
  446. size
  447. ])
  448. print(Formatter().table(headers, rows))
  449. def kill(self, options):
  450. """
  451. Force stop service containers.
  452. Usage: kill [options] [SERVICE...]
  453. Options:
  454. -s SIGNAL SIGNAL to send to the container.
  455. Default signal is SIGKILL.
  456. """
  457. signal = options.get('-s', 'SIGKILL')
  458. self.project.kill(service_names=options['SERVICE'], signal=signal)
  459. def logs(self, options):
  460. """
  461. View output from containers.
  462. Usage: logs [options] [SERVICE...]
  463. Options:
  464. --no-color Produce monochrome output.
  465. -f, --follow Follow log output.
  466. -t, --timestamps Show timestamps.
  467. --tail="all" Number of lines to show from the end of the logs
  468. for each container.
  469. """
  470. containers = self.project.containers(service_names=options['SERVICE'], stopped=True)
  471. tail = options['--tail']
  472. if tail is not None:
  473. if tail.isdigit():
  474. tail = int(tail)
  475. elif tail != 'all':
  476. raise UserError("tail flag must be all or a number")
  477. log_args = {
  478. 'follow': options['--follow'],
  479. 'tail': tail,
  480. 'timestamps': options['--timestamps']
  481. }
  482. print("Attaching to", list_containers(containers))
  483. log_printer_from_project(
  484. self.project,
  485. containers,
  486. options['--no-color'],
  487. log_args,
  488. event_stream=self.project.events(service_names=options['SERVICE'])).run()
  489. def pause(self, options):
  490. """
  491. Pause services.
  492. Usage: pause [SERVICE...]
  493. """
  494. containers = self.project.pause(service_names=options['SERVICE'])
  495. exit_if(not containers, 'No containers to pause', 1)
  496. def port(self, options):
  497. """
  498. Print the public port for a port binding.
  499. Usage: port [options] SERVICE PRIVATE_PORT
  500. Options:
  501. --protocol=proto tcp or udp [default: tcp]
  502. --index=index index of the container if there are multiple
  503. instances of a service [default: 1]
  504. """
  505. index = int(options.get('--index'))
  506. service = self.project.get_service(options['SERVICE'])
  507. try:
  508. container = service.get_container(number=index)
  509. except ValueError as e:
  510. raise UserError(str(e))
  511. print(container.get_local_port(
  512. options['PRIVATE_PORT'],
  513. protocol=options.get('--protocol') or 'tcp') or '')
  514. def ps(self, options):
  515. """
  516. List containers.
  517. Usage: ps [options] [SERVICE...]
  518. Options:
  519. -q, --quiet Only display IDs
  520. --services Display services
  521. --filter KEY=VAL Filter services by a property
  522. """
  523. if options['--quiet'] and options['--services']:
  524. raise UserError('--quiet and --services cannot be combined')
  525. if options['--services']:
  526. filt = build_filter(options.get('--filter'))
  527. services = self.project.services
  528. if filt:
  529. services = filter_services(filt, services, self.project)
  530. print('\n'.join(service.name for service in services))
  531. return
  532. containers = sorted(
  533. self.project.containers(service_names=options['SERVICE'], stopped=True) +
  534. self.project.containers(service_names=options['SERVICE'], one_off=OneOffFilter.only),
  535. key=attrgetter('name'))
  536. if options['--quiet']:
  537. for container in containers:
  538. print(container.id)
  539. else:
  540. headers = [
  541. 'Name',
  542. 'Command',
  543. 'State',
  544. 'Ports',
  545. ]
  546. rows = []
  547. for container in containers:
  548. command = container.human_readable_command
  549. if len(command) > 30:
  550. command = '%s ...' % command[:26]
  551. rows.append([
  552. container.name,
  553. command,
  554. container.human_readable_state,
  555. container.human_readable_ports,
  556. ])
  557. print(Formatter().table(headers, rows))
  558. def pull(self, options):
  559. """
  560. Pulls images for services defined in a Compose file, but does not start the containers.
  561. Usage: pull [options] [SERVICE...]
  562. Options:
  563. --ignore-pull-failures Pull what it can and ignores images with pull failures.
  564. --parallel Pull multiple images in parallel.
  565. -q, --quiet Pull without printing progress information
  566. """
  567. self.project.pull(
  568. service_names=options['SERVICE'],
  569. ignore_pull_failures=options.get('--ignore-pull-failures'),
  570. parallel_pull=options.get('--parallel'),
  571. silent=options.get('--quiet'),
  572. )
  573. def push(self, options):
  574. """
  575. Pushes images for services.
  576. Usage: push [options] [SERVICE...]
  577. Options:
  578. --ignore-push-failures Push what it can and ignores images with push failures.
  579. """
  580. self.project.push(
  581. service_names=options['SERVICE'],
  582. ignore_push_failures=options.get('--ignore-push-failures')
  583. )
  584. def rm(self, options):
  585. """
  586. Removes stopped service containers.
  587. By default, anonymous volumes attached to containers will not be removed. You
  588. can override this with `-v`. To list all volumes, use `docker volume ls`.
  589. Any data which is not in a volume will be lost.
  590. Usage: rm [options] [SERVICE...]
  591. Options:
  592. -f, --force Don't ask to confirm removal
  593. -s, --stop Stop the containers, if required, before removing
  594. -v Remove any anonymous volumes attached to containers
  595. -a, --all Deprecated - no effect.
  596. """
  597. if options.get('--all'):
  598. log.warn(
  599. '--all flag is obsolete. This is now the default behavior '
  600. 'of `docker-compose rm`'
  601. )
  602. one_off = OneOffFilter.include
  603. if options.get('--stop'):
  604. self.project.stop(service_names=options['SERVICE'], one_off=one_off)
  605. all_containers = self.project.containers(
  606. service_names=options['SERVICE'], stopped=True, one_off=one_off
  607. )
  608. stopped_containers = [c for c in all_containers if not c.is_running]
  609. if len(stopped_containers) > 0:
  610. print("Going to remove", list_containers(stopped_containers))
  611. if options.get('--force') \
  612. or yesno("Are you sure? [yN] ", default=False):
  613. self.project.remove_stopped(
  614. service_names=options['SERVICE'],
  615. v=options.get('-v', False),
  616. one_off=one_off
  617. )
  618. else:
  619. print("No stopped containers")
  620. def run(self, options):
  621. """
  622. Run a one-off command on a service.
  623. For example:
  624. $ docker-compose run web python manage.py shell
  625. By default, linked services will be started, unless they are already
  626. running. If you do not want to start linked services, use
  627. `docker-compose run --no-deps SERVICE COMMAND [ARGS...]`.
  628. Usage:
  629. run [options] [-v VOLUME...] [-p PORT...] [-e KEY=VAL...] [-l KEY=VALUE...]
  630. SERVICE [COMMAND] [ARGS...]
  631. Options:
  632. -d Detached mode: Run container in the background, print
  633. new container name.
  634. --name NAME Assign a name to the container
  635. --entrypoint CMD Override the entrypoint of the image.
  636. -e KEY=VAL Set an environment variable (can be used multiple times)
  637. -l, --label KEY=VAL Add or override a label (can be used multiple times)
  638. -u, --user="" Run as specified username or uid
  639. --no-deps Don't start linked services.
  640. --rm Remove container after run. Ignored in detached mode.
  641. -p, --publish=[] Publish a container's port(s) to the host
  642. --service-ports Run command with the service's ports enabled and mapped
  643. to the host.
  644. -v, --volume=[] Bind mount a volume (default [])
  645. -T Disable pseudo-tty allocation. By default `docker-compose run`
  646. allocates a TTY.
  647. -w, --workdir="" Working directory inside the container
  648. """
  649. service = self.project.get_service(options['SERVICE'])
  650. detach = options['-d']
  651. if options['--publish'] and options['--service-ports']:
  652. raise UserError(
  653. 'Service port mapping and manual port mapping '
  654. 'can not be used together'
  655. )
  656. if options['COMMAND'] is not None:
  657. command = [options['COMMAND']] + options['ARGS']
  658. elif options['--entrypoint'] is not None:
  659. command = []
  660. else:
  661. command = service.options.get('command')
  662. container_options = build_container_options(options, detach, command)
  663. run_one_off_container(container_options, self.project, service, options, self.project_dir)
  664. def scale(self, options):
  665. """
  666. Set number of containers to run for a service.
  667. Numbers are specified in the form `service=num` as arguments.
  668. For example:
  669. $ docker-compose scale web=2 worker=3
  670. This command is deprecated. Use the up command with the `--scale` flag
  671. instead.
  672. Usage: scale [options] [SERVICE=NUM...]
  673. Options:
  674. -t, --timeout TIMEOUT Specify a shutdown timeout in seconds.
  675. (default: 10)
  676. """
  677. timeout = timeout_from_opts(options)
  678. if self.project.config_version == V2_2:
  679. raise UserError(
  680. 'The scale command is incompatible with the v2.2 format. '
  681. 'Use the up command with the --scale flag instead.'
  682. )
  683. else:
  684. log.warn(
  685. 'The scale command is deprecated. '
  686. 'Use the up command with the --scale flag instead.'
  687. )
  688. for service_name, num in parse_scale_args(options['SERVICE=NUM']).items():
  689. self.project.get_service(service_name).scale(num, timeout=timeout)
  690. def start(self, options):
  691. """
  692. Start existing containers.
  693. Usage: start [SERVICE...]
  694. """
  695. containers = self.project.start(service_names=options['SERVICE'])
  696. exit_if(not containers, 'No containers to start', 1)
  697. def stop(self, options):
  698. """
  699. Stop running containers without removing them.
  700. They can be started again with `docker-compose start`.
  701. Usage: stop [options] [SERVICE...]
  702. Options:
  703. -t, --timeout TIMEOUT Specify a shutdown timeout in seconds.
  704. (default: 10)
  705. """
  706. timeout = timeout_from_opts(options)
  707. self.project.stop(service_names=options['SERVICE'], timeout=timeout)
  708. def restart(self, options):
  709. """
  710. Restart running containers.
  711. Usage: restart [options] [SERVICE...]
  712. Options:
  713. -t, --timeout TIMEOUT Specify a shutdown timeout in seconds.
  714. (default: 10)
  715. """
  716. timeout = timeout_from_opts(options)
  717. containers = self.project.restart(service_names=options['SERVICE'], timeout=timeout)
  718. exit_if(not containers, 'No containers to restart', 1)
  719. def top(self, options):
  720. """
  721. Display the running processes
  722. Usage: top [SERVICE...]
  723. """
  724. containers = sorted(
  725. self.project.containers(service_names=options['SERVICE'], stopped=False) +
  726. self.project.containers(service_names=options['SERVICE'], one_off=OneOffFilter.only),
  727. key=attrgetter('name')
  728. )
  729. for idx, container in enumerate(containers):
  730. if idx > 0:
  731. print()
  732. top_data = self.project.client.top(container.name)
  733. headers = top_data.get("Titles")
  734. rows = []
  735. for process in top_data.get("Processes", []):
  736. rows.append(process)
  737. print(container.name)
  738. print(Formatter().table(headers, rows))
  739. def unpause(self, options):
  740. """
  741. Unpause services.
  742. Usage: unpause [SERVICE...]
  743. """
  744. containers = self.project.unpause(service_names=options['SERVICE'])
  745. exit_if(not containers, 'No containers to unpause', 1)
  746. def up(self, options):
  747. """
  748. Builds, (re)creates, starts, and attaches to containers for a service.
  749. Unless they are already running, this command also starts any linked services.
  750. The `docker-compose up` command aggregates the output of each container. When
  751. the command exits, all containers are stopped. Running `docker-compose up -d`
  752. starts the containers in the background and leaves them running.
  753. If there are existing containers for a service, and the service's configuration
  754. or image was changed after the container's creation, `docker-compose up` picks
  755. up the changes by stopping and recreating the containers (preserving mounted
  756. volumes). To prevent Compose from picking up changes, use the `--no-recreate`
  757. flag.
  758. If you want to force Compose to stop and recreate all containers, use the
  759. `--force-recreate` flag.
  760. Usage: up [options] [--scale SERVICE=NUM...] [SERVICE...]
  761. Options:
  762. -d Detached mode: Run containers in the background,
  763. print new container names. Incompatible with
  764. --abort-on-container-exit.
  765. --no-color Produce monochrome output.
  766. --no-deps Don't start linked services.
  767. --force-recreate Recreate containers even if their configuration
  768. and image haven't changed.
  769. --always-recreate-deps Recreate dependent containers.
  770. Incompatible with --no-recreate.
  771. --no-recreate If containers already exist, don't recreate
  772. them. Incompatible with --force-recreate and -V.
  773. --no-build Don't build an image, even if it's missing.
  774. --no-start Don't start the services after creating them.
  775. --build Build images before starting containers.
  776. --abort-on-container-exit Stops all containers if any container was
  777. stopped. Incompatible with -d.
  778. -t, --timeout TIMEOUT Use this timeout in seconds for container
  779. shutdown when attached or when containers are
  780. already running. (default: 10)
  781. -V, --renew-anon-volumes Recreate anonymous volumes instead of retrieving
  782. data from the previous containers.
  783. --remove-orphans Remove containers for services not defined
  784. in the Compose file.
  785. --exit-code-from SERVICE Return the exit code of the selected service
  786. container. Implies --abort-on-container-exit.
  787. --scale SERVICE=NUM Scale SERVICE to NUM instances. Overrides the
  788. `scale` setting in the Compose file if present.
  789. """
  790. start_deps = not options['--no-deps']
  791. always_recreate_deps = options['--always-recreate-deps']
  792. exit_value_from = exitval_from_opts(options, self.project)
  793. cascade_stop = options['--abort-on-container-exit']
  794. service_names = options['SERVICE']
  795. timeout = timeout_from_opts(options)
  796. remove_orphans = options['--remove-orphans']
  797. detached = options.get('-d')
  798. no_start = options.get('--no-start')
  799. if detached and (cascade_stop or exit_value_from):
  800. raise UserError("--abort-on-container-exit and -d cannot be combined.")
  801. environment = Environment.from_env_file(self.project_dir)
  802. ignore_orphans = environment.get_boolean('COMPOSE_IGNORE_ORPHANS')
  803. if ignore_orphans and remove_orphans:
  804. raise UserError("COMPOSE_IGNORE_ORPHANS and --remove-orphans cannot be combined.")
  805. opts = ['-d', '--abort-on-container-exit', '--exit-code-from']
  806. for excluded in [x for x in opts if options.get(x) and no_start]:
  807. raise UserError('--no-start and {} cannot be combined.'.format(excluded))
  808. with up_shutdown_context(self.project, service_names, timeout, detached):
  809. warn_for_swarm_mode(self.project.client)
  810. def up(rebuild):
  811. return self.project.up(
  812. service_names=service_names,
  813. start_deps=start_deps,
  814. strategy=convergence_strategy_from_opts(options),
  815. do_build=build_action_from_opts(options),
  816. timeout=timeout,
  817. detached=detached,
  818. remove_orphans=remove_orphans,
  819. ignore_orphans=ignore_orphans,
  820. scale_override=parse_scale_args(options['--scale']),
  821. start=not no_start,
  822. always_recreate_deps=always_recreate_deps,
  823. reset_container_image=rebuild,
  824. renew_anonymous_volumes=options.get('--renew-anon-volumes')
  825. )
  826. try:
  827. to_attach = up(False)
  828. except docker.errors.ImageNotFound as e:
  829. log.error(
  830. "The image for the service you're trying to recreate has been removed. "
  831. "If you continue, volume data could be lost. Consider backing up your data "
  832. "before continuing.\n".format(e.explanation)
  833. )
  834. res = yesno("Continue with the new image? [yN]", False)
  835. if res is None or not res:
  836. raise e
  837. to_attach = up(True)
  838. if detached or no_start:
  839. return
  840. attached_containers = filter_containers_to_service_names(to_attach, service_names)
  841. log_printer = log_printer_from_project(
  842. self.project,
  843. attached_containers,
  844. options['--no-color'],
  845. {'follow': True},
  846. cascade_stop,
  847. event_stream=self.project.events(service_names=service_names))
  848. print("Attaching to", list_containers(log_printer.containers))
  849. cascade_starter = log_printer.run()
  850. if cascade_stop:
  851. print("Aborting on container exit...")
  852. all_containers = self.project.containers(service_names=options['SERVICE'], stopped=True)
  853. exit_code = compute_exit_code(
  854. exit_value_from, attached_containers, cascade_starter, all_containers
  855. )
  856. self.project.stop(service_names=service_names, timeout=timeout)
  857. sys.exit(exit_code)
  858. @classmethod
  859. def version(cls, options):
  860. """
  861. Show version informations
  862. Usage: version [--short]
  863. Options:
  864. --short Shows only Compose's version number.
  865. """
  866. if options['--short']:
  867. print(__version__)
  868. else:
  869. print(get_version_info('full'))
  870. def compute_exit_code(exit_value_from, attached_containers, cascade_starter, all_containers):
  871. exit_code = 0
  872. if exit_value_from:
  873. candidates = list(filter(
  874. lambda c: c.service == exit_value_from,
  875. attached_containers))
  876. if not candidates:
  877. log.error(
  878. 'No containers matching the spec "{0}" '
  879. 'were run.'.format(exit_value_from)
  880. )
  881. exit_code = 2
  882. elif len(candidates) > 1:
  883. exit_values = filter(
  884. lambda e: e != 0,
  885. [c.inspect()['State']['ExitCode'] for c in candidates]
  886. )
  887. exit_code = exit_values[0]
  888. else:
  889. exit_code = candidates[0].inspect()['State']['ExitCode']
  890. else:
  891. for e in all_containers:
  892. if (not e.is_running and cascade_starter == e.name):
  893. if not e.exit_code == 0:
  894. exit_code = e.exit_code
  895. break
  896. return exit_code
  897. def convergence_strategy_from_opts(options):
  898. no_recreate = options['--no-recreate']
  899. force_recreate = options['--force-recreate']
  900. renew_anonymous_volumes = options.get('--renew-anon-volumes')
  901. if force_recreate and no_recreate:
  902. raise UserError("--force-recreate and --no-recreate cannot be combined.")
  903. if no_recreate and renew_anonymous_volumes:
  904. raise UserError('--no-recreate and --renew-anon-volumes cannot be combined.')
  905. if force_recreate or renew_anonymous_volumes:
  906. return ConvergenceStrategy.always
  907. if no_recreate:
  908. return ConvergenceStrategy.never
  909. return ConvergenceStrategy.changed
  910. def timeout_from_opts(options):
  911. timeout = options.get('--timeout')
  912. return None if timeout is None else int(timeout)
  913. def image_digests_for_project(project, allow_push=False):
  914. with errors.handle_connection_errors(project.client):
  915. try:
  916. return get_image_digests(
  917. project,
  918. allow_push=allow_push
  919. )
  920. except MissingDigests as e:
  921. def list_images(images):
  922. return "\n".join(" {}".format(name) for name in sorted(images))
  923. paras = ["Some images are missing digests."]
  924. if e.needs_push:
  925. command_hint = (
  926. "Use `docker-compose push {}` to push them. "
  927. .format(" ".join(sorted(e.needs_push)))
  928. )
  929. paras += [
  930. "The following images can be pushed:",
  931. list_images(e.needs_push),
  932. command_hint,
  933. ]
  934. if e.needs_pull:
  935. command_hint = (
  936. "Use `docker-compose pull {}` to pull them. "
  937. .format(" ".join(sorted(e.needs_pull)))
  938. )
  939. paras += [
  940. "The following images need to be pulled:",
  941. list_images(e.needs_pull),
  942. command_hint,
  943. ]
  944. raise UserError("\n\n".join(paras))
  945. def exitval_from_opts(options, project):
  946. exit_value_from = options.get('--exit-code-from')
  947. if exit_value_from:
  948. if not options.get('--abort-on-container-exit'):
  949. log.warn('using --exit-code-from implies --abort-on-container-exit')
  950. options['--abort-on-container-exit'] = True
  951. if exit_value_from not in [s.name for s in project.get_services()]:
  952. log.error('No service named "%s" was found in your compose file.',
  953. exit_value_from)
  954. sys.exit(2)
  955. return exit_value_from
  956. def image_type_from_opt(flag, value):
  957. if not value:
  958. return ImageType.none
  959. try:
  960. return ImageType[value]
  961. except KeyError:
  962. raise UserError("%s flag must be one of: all, local" % flag)
  963. def build_action_from_opts(options):
  964. if options['--build'] and options['--no-build']:
  965. raise UserError("--build and --no-build can not be combined.")
  966. if options['--build']:
  967. return BuildAction.force
  968. if options['--no-build']:
  969. return BuildAction.skip
  970. return BuildAction.none
  971. def build_container_options(options, detach, command):
  972. container_options = {
  973. 'command': command,
  974. 'tty': not (detach or options['-T'] or not sys.stdin.isatty()),
  975. 'stdin_open': not detach,
  976. 'detach': detach,
  977. }
  978. if options['-e']:
  979. container_options['environment'] = Environment.from_command_line(
  980. parse_environment(options['-e'])
  981. )
  982. if options['--label']:
  983. container_options['labels'] = parse_labels(options['--label'])
  984. if options['--entrypoint']:
  985. container_options['entrypoint'] = options.get('--entrypoint')
  986. if options['--rm']:
  987. container_options['restart'] = None
  988. if options['--user']:
  989. container_options['user'] = options.get('--user')
  990. if not options['--service-ports']:
  991. container_options['ports'] = []
  992. if options['--publish']:
  993. container_options['ports'] = options.get('--publish')
  994. if options['--name']:
  995. container_options['name'] = options['--name']
  996. if options['--workdir']:
  997. container_options['working_dir'] = options['--workdir']
  998. if options['--volume']:
  999. volumes = [VolumeSpec.parse(i) for i in options['--volume']]
  1000. container_options['volumes'] = volumes
  1001. return container_options
  1002. def run_one_off_container(container_options, project, service, options, project_dir='.'):
  1003. if not options['--no-deps']:
  1004. deps = service.get_dependency_names()
  1005. if deps:
  1006. project.up(
  1007. service_names=deps,
  1008. start_deps=True,
  1009. strategy=ConvergenceStrategy.never,
  1010. rescale=False
  1011. )
  1012. project.initialize()
  1013. container = service.create_container(
  1014. quiet=True,
  1015. one_off=True,
  1016. **container_options)
  1017. if options['-d']:
  1018. service.start_container(container)
  1019. print(container.name)
  1020. return
  1021. def remove_container(force=False):
  1022. if options['--rm']:
  1023. project.client.remove_container(container.id, force=True, v=True)
  1024. environment = Environment.from_env_file(project_dir)
  1025. use_cli = not environment.get_boolean('COMPOSE_INTERACTIVE_NO_CLI')
  1026. signals.set_signal_handler_to_shutdown()
  1027. signals.set_signal_handler_to_hang_up()
  1028. try:
  1029. try:
  1030. if IS_WINDOWS_PLATFORM or use_cli:
  1031. service.connect_container_to_networks(container)
  1032. exit_code = call_docker(["start", "--attach", "--interactive", container.id])
  1033. else:
  1034. operation = RunOperation(
  1035. project.client,
  1036. container.id,
  1037. interactive=not options['-T'],
  1038. logs=False,
  1039. )
  1040. pty = PseudoTerminal(project.client, operation)
  1041. sockets = pty.sockets()
  1042. service.start_container(container)
  1043. pty.start(sockets)
  1044. exit_code = container.wait()
  1045. except (signals.ShutdownException, signals.HangUpException):
  1046. project.client.stop(container.id)
  1047. exit_code = 1
  1048. except (signals.ShutdownException, signals.HangUpException):
  1049. project.client.kill(container.id)
  1050. remove_container(force=True)
  1051. sys.exit(2)
  1052. remove_container()
  1053. sys.exit(exit_code)
  1054. def log_printer_from_project(
  1055. project,
  1056. containers,
  1057. monochrome,
  1058. log_args,
  1059. cascade_stop=False,
  1060. event_stream=None,
  1061. ):
  1062. return LogPrinter(
  1063. containers,
  1064. build_log_presenters(project.service_names, monochrome),
  1065. event_stream or project.events(),
  1066. cascade_stop=cascade_stop,
  1067. log_args=log_args)
  1068. def filter_containers_to_service_names(containers, service_names):
  1069. if not service_names:
  1070. return containers
  1071. return [
  1072. container
  1073. for container in containers if container.service in service_names
  1074. ]
  1075. @contextlib.contextmanager
  1076. def up_shutdown_context(project, service_names, timeout, detached):
  1077. if detached:
  1078. yield
  1079. return
  1080. signals.set_signal_handler_to_shutdown()
  1081. try:
  1082. try:
  1083. yield
  1084. except signals.ShutdownException:
  1085. print("Gracefully stopping... (press Ctrl+C again to force)")
  1086. project.stop(service_names=service_names, timeout=timeout)
  1087. except signals.ShutdownException:
  1088. project.kill(service_names=service_names)
  1089. sys.exit(2)
  1090. def list_containers(containers):
  1091. return ", ".join(c.name for c in containers)
  1092. def exit_if(condition, message, exit_code):
  1093. if condition:
  1094. log.error(message)
  1095. raise SystemExit(exit_code)
  1096. def call_docker(args):
  1097. executable_path = find_executable('docker')
  1098. if not executable_path:
  1099. raise UserError(errors.docker_not_found_msg("Couldn't find `docker` binary."))
  1100. args = [executable_path] + args
  1101. log.debug(" ".join(map(pipes.quote, args)))
  1102. return subprocess.call(args)
  1103. def parse_scale_args(options):
  1104. res = {}
  1105. for s in options:
  1106. if '=' not in s:
  1107. raise UserError('Arguments to scale should be in the form service=num')
  1108. service_name, num = s.split('=', 1)
  1109. try:
  1110. num = int(num)
  1111. except ValueError:
  1112. raise UserError(
  1113. 'Number of containers for service "%s" is not a number' % service_name
  1114. )
  1115. res[service_name] = num
  1116. return res
  1117. def build_exec_command(options, container_id, command):
  1118. args = ["exec"]
  1119. if options["-d"]:
  1120. args += ["--detach"]
  1121. else:
  1122. args += ["--interactive"]
  1123. if not options["-T"]:
  1124. args += ["--tty"]
  1125. if options["--privileged"]:
  1126. args += ["--privileged"]
  1127. if options["--user"]:
  1128. args += ["--user", options["--user"]]
  1129. if options["--env"]:
  1130. for env_variable in options["--env"]:
  1131. args += ["--env", env_variable]
  1132. args += [container_id]
  1133. args += command
  1134. return args
  1135. def has_container_with_state(containers, state):
  1136. states = {
  1137. 'running': lambda c: c.is_running,
  1138. 'stopped': lambda c: not c.is_running,
  1139. 'paused': lambda c: c.is_paused,
  1140. 'restarting': lambda c: c.is_restarting,
  1141. }
  1142. for container in containers:
  1143. if state not in states:
  1144. raise UserError("Invalid state: %s" % state)
  1145. if states[state](container):
  1146. return True
  1147. def filter_services(filt, services, project):
  1148. def should_include(service):
  1149. for f in filt:
  1150. if f == 'status':
  1151. state = filt[f]
  1152. containers = project.containers([service.name], stopped=True)
  1153. if not has_container_with_state(containers, state):
  1154. return False
  1155. elif f == 'source':
  1156. source = filt[f]
  1157. if source == 'image' or source == 'build':
  1158. if source not in service.options:
  1159. return False
  1160. else:
  1161. raise UserError("Invalid value for source filter: %s" % source)
  1162. else:
  1163. raise UserError("Invalid filter: %s" % f)
  1164. return True
  1165. return filter(should_include, services)
  1166. def build_filter(arg):
  1167. filt = {}
  1168. if arg is not None:
  1169. if '=' not in arg:
  1170. raise UserError("Arguments to --filter should be in form KEY=VAL")
  1171. key, val = arg.split('=', 1)
  1172. filt[key] = val
  1173. return filt
  1174. def warn_for_swarm_mode(client):
  1175. info = client.info()
  1176. if info.get('Swarm', {}).get('LocalNodeState') == 'active':
  1177. if info.get('ServerVersion', '').startswith('ucp'):
  1178. # UCP does multi-node scheduling with traditional Compose files.
  1179. return
  1180. log.warn(
  1181. "The Docker Engine you're using is running in swarm mode.\n\n"
  1182. "Compose does not use swarm mode to deploy services to multiple nodes in a swarm. "
  1183. "All containers will be scheduled on the current node.\n\n"
  1184. "To deploy your application across the swarm, "
  1185. "use `docker stack deploy`.\n"
  1186. )