main.py 56 KB

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