config.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545
  1. import logging
  2. import os
  3. import sys
  4. from collections import namedtuple
  5. import six
  6. import yaml
  7. from .errors import CircularReference
  8. from .errors import ComposeFileNotFound
  9. from .errors import ConfigurationError
  10. from .interpolation import interpolate_environment_variables
  11. from .validation import validate_against_schema
  12. from .validation import validate_extends_file_path
  13. from .validation import validate_service_names
  14. from .validation import validate_top_level_object
  15. from compose.cli.utils import find_candidates_in_parent_dirs
  16. DOCKER_CONFIG_KEYS = [
  17. 'cap_add',
  18. 'cap_drop',
  19. 'cpu_shares',
  20. 'cpuset',
  21. 'command',
  22. 'detach',
  23. 'devices',
  24. 'dns',
  25. 'dns_search',
  26. 'domainname',
  27. 'entrypoint',
  28. 'env_file',
  29. 'environment',
  30. 'extra_hosts',
  31. 'hostname',
  32. 'image',
  33. 'labels',
  34. 'links',
  35. 'mac_address',
  36. 'mem_limit',
  37. 'memswap_limit',
  38. 'net',
  39. 'log_driver',
  40. 'log_opt',
  41. 'pid',
  42. 'ports',
  43. 'privileged',
  44. 'read_only',
  45. 'restart',
  46. 'security_opt',
  47. 'stdin_open',
  48. 'tty',
  49. 'user',
  50. 'volume_driver',
  51. 'volumes',
  52. 'volumes_from',
  53. 'working_dir',
  54. ]
  55. ALLOWED_KEYS = DOCKER_CONFIG_KEYS + [
  56. 'build',
  57. 'container_name',
  58. 'dockerfile',
  59. 'expose',
  60. 'external_links',
  61. 'name',
  62. ]
  63. SUPPORTED_FILENAMES = [
  64. 'docker-compose.yml',
  65. 'docker-compose.yaml',
  66. 'fig.yml',
  67. 'fig.yaml',
  68. ]
  69. PATH_START_CHARS = [
  70. '/',
  71. '.',
  72. '~',
  73. ]
  74. log = logging.getLogger(__name__)
  75. ConfigDetails = namedtuple('ConfigDetails', 'config working_dir filename')
  76. def find(base_dir, filename):
  77. if filename == '-':
  78. return ConfigDetails(yaml.safe_load(sys.stdin), os.getcwd(), None)
  79. if filename:
  80. filename = os.path.join(base_dir, filename)
  81. else:
  82. filename = get_config_path(base_dir)
  83. return ConfigDetails(load_yaml(filename), os.path.dirname(filename), filename)
  84. def get_config_path(base_dir):
  85. (candidates, path) = find_candidates_in_parent_dirs(SUPPORTED_FILENAMES, base_dir)
  86. if len(candidates) == 0:
  87. raise ComposeFileNotFound(SUPPORTED_FILENAMES)
  88. winner = candidates[0]
  89. if len(candidates) > 1:
  90. log.warn("Found multiple config files with supported names: %s", ", ".join(candidates))
  91. log.warn("Using %s\n", winner)
  92. if winner == 'docker-compose.yaml':
  93. log.warn("Please be aware that .yml is the expected extension "
  94. "in most cases, and using .yaml can cause compatibility "
  95. "issues in future.\n")
  96. if winner.startswith("fig."):
  97. log.warn("%s is deprecated and will not be supported in future. "
  98. "Please rename your config file to docker-compose.yml\n" % winner)
  99. return os.path.join(path, winner)
  100. @validate_top_level_object
  101. @validate_service_names
  102. def pre_process_config(config):
  103. """
  104. Pre validation checks and processing of the config file to interpolate env
  105. vars returning a config dict ready to be tested against the schema.
  106. """
  107. config = interpolate_environment_variables(config)
  108. return config
  109. def load(config_details):
  110. config, working_dir, filename = config_details
  111. processed_config = pre_process_config(config)
  112. validate_against_schema(processed_config)
  113. service_dicts = []
  114. for service_name, service_dict in list(processed_config.items()):
  115. loader = ServiceLoader(
  116. working_dir=working_dir,
  117. filename=filename,
  118. service_name=service_name,
  119. service_dict=service_dict)
  120. service_dict = loader.make_service_dict()
  121. validate_paths(service_dict)
  122. service_dicts.append(service_dict)
  123. return service_dicts
  124. class ServiceLoader(object):
  125. def __init__(self, working_dir, filename, service_name, service_dict, already_seen=None):
  126. if working_dir is None:
  127. raise Exception("No working_dir passed to ServiceLoader()")
  128. self.working_dir = os.path.abspath(working_dir)
  129. if filename:
  130. self.filename = os.path.abspath(filename)
  131. else:
  132. self.filename = filename
  133. self.already_seen = already_seen or []
  134. self.service_dict = service_dict.copy()
  135. self.service_dict['name'] = service_name
  136. self.resolve_environment()
  137. if 'extends' in self.service_dict:
  138. validate_extends_file_path(
  139. service_name,
  140. self.service_dict['extends'],
  141. self.filename
  142. )
  143. self.extended_config_path = self.get_extended_config_path(
  144. self.service_dict['extends']
  145. )
  146. extended_config = load_yaml(self.extended_config_path)
  147. validate_against_schema(extended_config)
  148. def detect_cycle(self, name):
  149. if self.signature(name) in self.already_seen:
  150. raise CircularReference(self.already_seen + [self.signature(name)])
  151. def make_service_dict(self):
  152. self.service_dict = self.resolve_extends()
  153. return process_container_options(self.service_dict, working_dir=self.working_dir)
  154. def resolve_environment(self):
  155. """
  156. Unpack any environment variables from an env_file, if set.
  157. Interpolate environment values if set.
  158. """
  159. if 'environment' not in self.service_dict and 'env_file' not in self.service_dict:
  160. return
  161. env = {}
  162. if 'env_file' in self.service_dict:
  163. for f in get_env_files(self.service_dict, working_dir=self.working_dir):
  164. env.update(env_vars_from_file(f))
  165. del self.service_dict['env_file']
  166. env.update(parse_environment(self.service_dict.get('environment')))
  167. env = dict(resolve_env_var(k, v) for k, v in six.iteritems(env))
  168. self.service_dict['environment'] = env
  169. def resolve_extends(self):
  170. if 'extends' not in self.service_dict:
  171. return self.service_dict
  172. extends_options = self.service_dict['extends']
  173. service_name = self.service_dict['name']
  174. other_config_path = self.extended_config_path
  175. other_working_dir = os.path.dirname(self.extended_config_path)
  176. other_already_seen = self.already_seen + [self.signature(service_name)]
  177. base_service = extends_options['service']
  178. other_config = load_yaml(other_config_path)
  179. if base_service not in other_config:
  180. msg = (
  181. "Cannot extend service '%s' in %s: Service not found"
  182. ) % (base_service, other_config_path)
  183. raise ConfigurationError(msg)
  184. other_service_dict = other_config[base_service]
  185. other_loader = ServiceLoader(
  186. working_dir=other_working_dir,
  187. filename=other_config_path,
  188. service_name=service_name,
  189. service_dict=other_service_dict,
  190. already_seen=other_already_seen,
  191. )
  192. other_loader.detect_cycle(extends_options['service'])
  193. other_service_dict = other_loader.make_service_dict()
  194. validate_extended_service_dict(
  195. other_service_dict,
  196. filename=other_config_path,
  197. service=extends_options['service'],
  198. )
  199. return merge_service_dicts(other_service_dict, self.service_dict)
  200. def get_extended_config_path(self, extends_options):
  201. """
  202. Service we are extending either has a value for 'file' set, which we
  203. need to obtain a full path too or we are extending from a service
  204. defined in our own file.
  205. """
  206. if 'file' in extends_options:
  207. extends_from_filename = extends_options['file']
  208. return expand_path(self.working_dir, extends_from_filename)
  209. return self.filename
  210. def signature(self, name):
  211. return (self.filename, name)
  212. def validate_extended_service_dict(service_dict, filename, service):
  213. error_prefix = "Cannot extend service '%s' in %s:" % (service, filename)
  214. if 'links' in service_dict:
  215. raise ConfigurationError("%s services with 'links' cannot be extended" % error_prefix)
  216. if 'volumes_from' in service_dict:
  217. raise ConfigurationError("%s services with 'volumes_from' cannot be extended" % error_prefix)
  218. if 'net' in service_dict:
  219. if get_service_name_from_net(service_dict['net']) is not None:
  220. raise ConfigurationError("%s services with 'net: container' cannot be extended" % error_prefix)
  221. def process_container_options(service_dict, working_dir=None):
  222. service_dict = service_dict.copy()
  223. if 'volumes' in service_dict and service_dict.get('volume_driver') is None:
  224. service_dict['volumes'] = resolve_volume_paths(service_dict, working_dir=working_dir)
  225. if 'build' in service_dict:
  226. service_dict['build'] = resolve_build_path(service_dict['build'], working_dir=working_dir)
  227. if 'labels' in service_dict:
  228. service_dict['labels'] = parse_labels(service_dict['labels'])
  229. return service_dict
  230. def merge_service_dicts(base, override):
  231. d = base.copy()
  232. if 'environment' in base or 'environment' in override:
  233. d['environment'] = merge_environment(
  234. base.get('environment'),
  235. override.get('environment'),
  236. )
  237. path_mapping_keys = ['volumes', 'devices']
  238. for key in path_mapping_keys:
  239. if key in base or key in override:
  240. d[key] = merge_path_mappings(
  241. base.get(key),
  242. override.get(key),
  243. )
  244. if 'labels' in base or 'labels' in override:
  245. d['labels'] = merge_labels(
  246. base.get('labels'),
  247. override.get('labels'),
  248. )
  249. if 'image' in override and 'build' in d:
  250. del d['build']
  251. if 'build' in override and 'image' in d:
  252. del d['image']
  253. list_keys = ['ports', 'expose', 'external_links']
  254. for key in list_keys:
  255. if key in base or key in override:
  256. d[key] = base.get(key, []) + override.get(key, [])
  257. list_or_string_keys = ['dns', 'dns_search']
  258. for key in list_or_string_keys:
  259. if key in base or key in override:
  260. d[key] = to_list(base.get(key)) + to_list(override.get(key))
  261. already_merged_keys = ['environment', 'labels'] + path_mapping_keys + list_keys + list_or_string_keys
  262. for k in set(ALLOWED_KEYS) - set(already_merged_keys):
  263. if k in override:
  264. d[k] = override[k]
  265. return d
  266. def merge_environment(base, override):
  267. env = parse_environment(base)
  268. env.update(parse_environment(override))
  269. return env
  270. def get_env_files(options, working_dir=None):
  271. if 'env_file' not in options:
  272. return {}
  273. env_files = options.get('env_file', [])
  274. if not isinstance(env_files, list):
  275. env_files = [env_files]
  276. return [expand_path(working_dir, path) for path in env_files]
  277. def parse_environment(environment):
  278. if not environment:
  279. return {}
  280. if isinstance(environment, list):
  281. return dict(split_env(e) for e in environment)
  282. if isinstance(environment, dict):
  283. return dict(environment)
  284. raise ConfigurationError(
  285. "environment \"%s\" must be a list or mapping," %
  286. environment
  287. )
  288. def split_env(env):
  289. if '=' in env:
  290. return env.split('=', 1)
  291. else:
  292. return env, None
  293. def resolve_env_var(key, val):
  294. if val is not None:
  295. return key, val
  296. elif key in os.environ:
  297. return key, os.environ[key]
  298. else:
  299. return key, ''
  300. def env_vars_from_file(filename):
  301. """
  302. Read in a line delimited file of environment variables.
  303. """
  304. if not os.path.exists(filename):
  305. raise ConfigurationError("Couldn't find env file: %s" % filename)
  306. env = {}
  307. for line in open(filename, 'r'):
  308. line = line.strip()
  309. if line and not line.startswith('#'):
  310. k, v = split_env(line)
  311. env[k] = v
  312. return env
  313. def resolve_volume_paths(service_dict, working_dir=None):
  314. if working_dir is None:
  315. raise Exception("No working_dir passed to resolve_volume_paths()")
  316. return [
  317. resolve_volume_path(v, working_dir, service_dict['name'])
  318. for v in service_dict['volumes']
  319. ]
  320. def resolve_volume_path(volume, working_dir, service_name):
  321. container_path, host_path = split_path_mapping(volume)
  322. container_path = os.path.expanduser(container_path)
  323. if host_path is not None:
  324. if not any(host_path.startswith(c) for c in PATH_START_CHARS):
  325. log.warn(
  326. 'Warning: the mapping "{0}:{1}" in the volumes config for '
  327. 'service "{2}" is ambiguous. In a future version of Docker, '
  328. 'it will designate a "named" volume '
  329. '(see https://github.com/docker/docker/pull/14242). '
  330. 'To prevent unexpected behaviour, change it to "./{0}:{1}"'
  331. .format(host_path, container_path, service_name)
  332. )
  333. host_path = os.path.expanduser(host_path)
  334. return "%s:%s" % (expand_path(working_dir, host_path), container_path)
  335. else:
  336. return container_path
  337. def resolve_build_path(build_path, working_dir=None):
  338. if working_dir is None:
  339. raise Exception("No working_dir passed to resolve_build_path")
  340. return expand_path(working_dir, build_path)
  341. def validate_paths(service_dict):
  342. if 'build' in service_dict:
  343. build_path = service_dict['build']
  344. if not os.path.exists(build_path) or not os.access(build_path, os.R_OK):
  345. raise ConfigurationError("build path %s either does not exist or is not accessible." % build_path)
  346. def merge_path_mappings(base, override):
  347. d = dict_from_path_mappings(base)
  348. d.update(dict_from_path_mappings(override))
  349. return path_mappings_from_dict(d)
  350. def dict_from_path_mappings(path_mappings):
  351. if path_mappings:
  352. return dict(split_path_mapping(v) for v in path_mappings)
  353. else:
  354. return {}
  355. def path_mappings_from_dict(d):
  356. return [join_path_mapping(v) for v in d.items()]
  357. def split_path_mapping(string):
  358. if ':' in string:
  359. (host, container) = string.split(':', 1)
  360. return (container, host)
  361. else:
  362. return (string, None)
  363. def join_path_mapping(pair):
  364. (container, host) = pair
  365. if host is None:
  366. return container
  367. else:
  368. return ":".join((host, container))
  369. def merge_labels(base, override):
  370. labels = parse_labels(base)
  371. labels.update(parse_labels(override))
  372. return labels
  373. def parse_labels(labels):
  374. if not labels:
  375. return {}
  376. if isinstance(labels, list):
  377. return dict(split_label(e) for e in labels)
  378. if isinstance(labels, dict):
  379. return labels
  380. def split_label(label):
  381. if '=' in label:
  382. return label.split('=', 1)
  383. else:
  384. return label, ''
  385. def expand_path(working_dir, path):
  386. return os.path.abspath(os.path.join(working_dir, path))
  387. def to_list(value):
  388. if value is None:
  389. return []
  390. elif isinstance(value, six.string_types):
  391. return [value]
  392. else:
  393. return value
  394. def get_service_name_from_net(net_config):
  395. if not net_config:
  396. return
  397. if not net_config.startswith('container:'):
  398. return
  399. _, net_name = net_config.split(':', 1)
  400. return net_name
  401. def load_yaml(filename):
  402. try:
  403. with open(filename, 'r') as fh:
  404. return yaml.safe_load(fh)
  405. except IOError as e:
  406. raise ConfigurationError(six.text_type(e))