1
0

validation.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413
  1. from __future__ import absolute_import
  2. from __future__ import unicode_literals
  3. import json
  4. import logging
  5. import os
  6. import re
  7. import sys
  8. import six
  9. from docker.utils.ports import split_port
  10. from jsonschema import Draft4Validator
  11. from jsonschema import FormatChecker
  12. from jsonschema import RefResolver
  13. from jsonschema import ValidationError
  14. from ..const import COMPOSEFILE_V1 as V1
  15. from .errors import ConfigurationError
  16. from .errors import VERSION_EXPLANATION
  17. from .sort_services import get_service_name_from_network_mode
  18. log = logging.getLogger(__name__)
  19. DOCKER_CONFIG_HINTS = {
  20. 'cpu_share': 'cpu_shares',
  21. 'add_host': 'extra_hosts',
  22. 'hosts': 'extra_hosts',
  23. 'extra_host': 'extra_hosts',
  24. 'device': 'devices',
  25. 'link': 'links',
  26. 'memory_swap': 'memswap_limit',
  27. 'port': 'ports',
  28. 'privilege': 'privileged',
  29. 'priviliged': 'privileged',
  30. 'privilige': 'privileged',
  31. 'volume': 'volumes',
  32. 'workdir': 'working_dir',
  33. }
  34. VALID_NAME_CHARS = '[a-zA-Z0-9\._\-]'
  35. VALID_EXPOSE_FORMAT = r'^\d+(\-\d+)?(\/[a-zA-Z]+)?$'
  36. @FormatChecker.cls_checks(format="ports", raises=ValidationError)
  37. def format_ports(instance):
  38. try:
  39. split_port(instance)
  40. except ValueError as e:
  41. raise ValidationError(six.text_type(e))
  42. return True
  43. @FormatChecker.cls_checks(format="expose", raises=ValidationError)
  44. def format_expose(instance):
  45. if isinstance(instance, six.string_types):
  46. if not re.match(VALID_EXPOSE_FORMAT, instance):
  47. raise ValidationError(
  48. "should be of the format 'PORT[/PROTOCOL]'")
  49. return True
  50. def match_named_volumes(service_dict, project_volumes):
  51. service_volumes = service_dict.get('volumes', [])
  52. for volume_spec in service_volumes:
  53. if volume_spec.is_named_volume and volume_spec.external not in project_volumes:
  54. raise ConfigurationError(
  55. 'Named volume "{0}" is used in service "{1}" but no'
  56. ' declaration was found in the volumes section.'.format(
  57. volume_spec.repr(), service_dict.get('name')
  58. )
  59. )
  60. def python_type_to_yaml_type(type_):
  61. type_name = type(type_).__name__
  62. return {
  63. 'dict': 'mapping',
  64. 'list': 'array',
  65. 'int': 'number',
  66. 'float': 'number',
  67. 'bool': 'boolean',
  68. 'unicode': 'string',
  69. 'str': 'string',
  70. 'bytes': 'string',
  71. }.get(type_name, type_name)
  72. def validate_config_section(filename, config, section):
  73. """Validate the structure of a configuration section. This must be done
  74. before interpolation so it's separate from schema validation.
  75. """
  76. if not isinstance(config, dict):
  77. raise ConfigurationError(
  78. "In file '{filename}', {section} must be a mapping, not "
  79. "{type}.".format(
  80. filename=filename,
  81. section=section,
  82. type=anglicize_json_type(python_type_to_yaml_type(config))))
  83. for key, value in config.items():
  84. if not isinstance(key, six.string_types):
  85. raise ConfigurationError(
  86. "In file '{filename}', the {section} name {name} must be a "
  87. "quoted string, i.e. '{name}'.".format(
  88. filename=filename,
  89. section=section,
  90. name=key))
  91. if not isinstance(value, (dict, type(None))):
  92. raise ConfigurationError(
  93. "In file '{filename}', {section} '{name}' must be a mapping not "
  94. "{type}.".format(
  95. filename=filename,
  96. section=section,
  97. name=key,
  98. type=anglicize_json_type(python_type_to_yaml_type(value))))
  99. def validate_top_level_object(config_file):
  100. if not isinstance(config_file.config, dict):
  101. raise ConfigurationError(
  102. "Top level object in '{}' needs to be an object not '{}'.".format(
  103. config_file.filename,
  104. type(config_file.config)))
  105. def validate_ulimits(service_config):
  106. ulimit_config = service_config.config.get('ulimits', {})
  107. for limit_name, soft_hard_values in six.iteritems(ulimit_config):
  108. if isinstance(soft_hard_values, dict):
  109. if not soft_hard_values['soft'] <= soft_hard_values['hard']:
  110. raise ConfigurationError(
  111. "Service '{s.name}' has invalid ulimit '{ulimit}'. "
  112. "'soft' value can not be greater than 'hard' value ".format(
  113. s=service_config,
  114. ulimit=ulimit_config))
  115. def validate_extends_file_path(service_name, extends_options, filename):
  116. """
  117. The service to be extended must either be defined in the config key 'file',
  118. or within 'filename'.
  119. """
  120. error_prefix = "Invalid 'extends' configuration for %s:" % service_name
  121. if 'file' not in extends_options and filename is None:
  122. raise ConfigurationError(
  123. "%s you need to specify a 'file', e.g. 'file: something.yml'" % error_prefix
  124. )
  125. def validate_network_mode(service_config, service_names):
  126. network_mode = service_config.config.get('network_mode')
  127. if not network_mode:
  128. return
  129. if 'networks' in service_config.config:
  130. raise ConfigurationError("'network_mode' and 'networks' cannot be combined")
  131. dependency = get_service_name_from_network_mode(network_mode)
  132. if not dependency:
  133. return
  134. if dependency not in service_names:
  135. raise ConfigurationError(
  136. "Service '{s.name}' uses the network stack of service '{dep}' which "
  137. "is undefined.".format(s=service_config, dep=dependency))
  138. def validate_depends_on(service_config, service_names):
  139. for dependency in service_config.config.get('depends_on', []):
  140. if dependency not in service_names:
  141. raise ConfigurationError(
  142. "Service '{s.name}' depends on service '{dep}' which is "
  143. "undefined.".format(s=service_config, dep=dependency))
  144. def get_unsupported_config_msg(path, error_key):
  145. msg = "Unsupported config option for {}: '{}'".format(path_string(path), error_key)
  146. if error_key in DOCKER_CONFIG_HINTS:
  147. msg += " (did you mean '{}'?)".format(DOCKER_CONFIG_HINTS[error_key])
  148. return msg
  149. def anglicize_json_type(json_type):
  150. if json_type.startswith(('a', 'e', 'i', 'o', 'u')):
  151. return 'an ' + json_type
  152. return 'a ' + json_type
  153. def is_service_dict_schema(schema_id):
  154. return schema_id in ('config_schema_v1.json', '#/properties/services')
  155. def handle_error_for_schema_with_id(error, path):
  156. schema_id = error.schema['id']
  157. if is_service_dict_schema(schema_id) and error.validator == 'additionalProperties':
  158. return "Invalid service name '{}' - only {} characters are allowed".format(
  159. # The service_name is the key to the json object
  160. list(error.instance)[0],
  161. VALID_NAME_CHARS)
  162. if error.validator == 'additionalProperties':
  163. if schema_id == '#/definitions/service':
  164. invalid_config_key = parse_key_from_error_msg(error)
  165. return get_unsupported_config_msg(path, invalid_config_key)
  166. if not error.path:
  167. return '{}\n{}'.format(error.message, VERSION_EXPLANATION)
  168. def handle_generic_error(error, path):
  169. msg_format = None
  170. error_msg = error.message
  171. if error.validator == 'oneOf':
  172. msg_format = "{path} {msg}"
  173. config_key, error_msg = _parse_oneof_validator(error)
  174. if config_key:
  175. path.append(config_key)
  176. elif error.validator == 'type':
  177. msg_format = "{path} contains an invalid type, it should be {msg}"
  178. error_msg = _parse_valid_types_from_validator(error.validator_value)
  179. elif error.validator == 'required':
  180. error_msg = ", ".join(error.validator_value)
  181. msg_format = "{path} is invalid, {msg} is required."
  182. elif error.validator == 'dependencies':
  183. config_key = list(error.validator_value.keys())[0]
  184. required_keys = ",".join(error.validator_value[config_key])
  185. msg_format = "{path} is invalid: {msg}"
  186. path.append(config_key)
  187. error_msg = "when defining '{}' you must set '{}' as well".format(
  188. config_key,
  189. required_keys)
  190. elif error.cause:
  191. error_msg = six.text_type(error.cause)
  192. msg_format = "{path} is invalid: {msg}"
  193. elif error.path:
  194. msg_format = "{path} value {msg}"
  195. if msg_format:
  196. return msg_format.format(path=path_string(path), msg=error_msg)
  197. return error.message
  198. def parse_key_from_error_msg(error):
  199. return error.message.split("'")[1]
  200. def path_string(path):
  201. return ".".join(c for c in path if isinstance(c, six.string_types))
  202. def _parse_valid_types_from_validator(validator):
  203. """A validator value can be either an array of valid types or a string of
  204. a valid type. Parse the valid types and prefix with the correct article.
  205. """
  206. if not isinstance(validator, list):
  207. return anglicize_json_type(validator)
  208. if len(validator) == 1:
  209. return anglicize_json_type(validator[0])
  210. return "{}, or {}".format(
  211. ", ".join([anglicize_json_type(validator[0])] + validator[1:-1]),
  212. anglicize_json_type(validator[-1]))
  213. def _parse_oneof_validator(error):
  214. """oneOf has multiple schemas, so we need to reason about which schema, sub
  215. schema or constraint the validation is failing on.
  216. Inspecting the context value of a ValidationError gives us information about
  217. which sub schema failed and which kind of error it is.
  218. """
  219. types = []
  220. for context in error.context:
  221. if context.validator == 'oneOf':
  222. _, error_msg = _parse_oneof_validator(context)
  223. return path_string(context.path), error_msg
  224. if context.validator == 'required':
  225. return (None, context.message)
  226. if context.validator == 'additionalProperties':
  227. invalid_config_key = parse_key_from_error_msg(context)
  228. return (None, "contains unsupported option: '{}'".format(invalid_config_key))
  229. if context.path:
  230. return (
  231. path_string(context.path),
  232. "contains {}, which is an invalid type, it should be {}".format(
  233. json.dumps(context.instance),
  234. _parse_valid_types_from_validator(context.validator_value)),
  235. )
  236. if context.validator == 'uniqueItems':
  237. return (
  238. None,
  239. "contains non unique items, please remove duplicates from {}".format(
  240. context.instance),
  241. )
  242. if context.validator == 'type':
  243. types.append(context.validator_value)
  244. valid_types = _parse_valid_types_from_validator(types)
  245. return (None, "contains an invalid type, it should be {}".format(valid_types))
  246. def process_service_constraint_errors(error, service_name, version):
  247. if version == V1:
  248. if 'image' in error.instance and 'build' in error.instance:
  249. return (
  250. "Service {} has both an image and build path specified. "
  251. "A service can either be built to image or use an existing "
  252. "image, not both.".format(service_name))
  253. if 'image' in error.instance and 'dockerfile' in error.instance:
  254. return (
  255. "Service {} has both an image and alternate Dockerfile. "
  256. "A service can either be built to image or use an existing "
  257. "image, not both.".format(service_name))
  258. if 'image' not in error.instance and 'build' not in error.instance:
  259. return (
  260. "Service {} has neither an image nor a build context specified. "
  261. "At least one must be provided.".format(service_name))
  262. def process_config_schema_errors(error):
  263. path = list(error.path)
  264. if 'id' in error.schema:
  265. error_msg = handle_error_for_schema_with_id(error, path)
  266. if error_msg:
  267. return error_msg
  268. return handle_generic_error(error, path)
  269. def validate_against_config_schema(config_file):
  270. schema = load_jsonschema(config_file.version)
  271. format_checker = FormatChecker(["ports", "expose"])
  272. validator = Draft4Validator(
  273. schema,
  274. resolver=RefResolver(get_resolver_path(), schema),
  275. format_checker=format_checker)
  276. handle_errors(
  277. validator.iter_errors(config_file.config),
  278. process_config_schema_errors,
  279. config_file.filename)
  280. def validate_service_constraints(config, service_name, version):
  281. def handler(errors):
  282. return process_service_constraint_errors(errors, service_name, version)
  283. schema = load_jsonschema(version)
  284. validator = Draft4Validator(schema['definitions']['constraints']['service'])
  285. handle_errors(validator.iter_errors(config), handler, None)
  286. def get_schema_path():
  287. return os.path.dirname(os.path.abspath(__file__))
  288. def load_jsonschema(version):
  289. filename = os.path.join(
  290. get_schema_path(),
  291. "config_schema_v{0}.json".format(version))
  292. with open(filename, "r") as fh:
  293. return json.load(fh)
  294. def get_resolver_path():
  295. schema_path = get_schema_path()
  296. if sys.platform == "win32":
  297. scheme = "///"
  298. # TODO: why is this necessary?
  299. schema_path = schema_path.replace('\\', '/')
  300. else:
  301. scheme = "//"
  302. return "file:{}{}/".format(scheme, schema_path)
  303. def handle_errors(errors, format_error_func, filename):
  304. """jsonschema returns an error tree full of information to explain what has
  305. gone wrong. Process each error and pull out relevant information and re-write
  306. helpful error messages that are relevant.
  307. """
  308. errors = list(sorted(errors, key=str))
  309. if not errors:
  310. return
  311. error_msg = '\n'.join(format_error_func(error) for error in errors)
  312. raise ConfigurationError(
  313. "Validation failed{file_msg}, reason(s):\n{error_msg}".format(
  314. file_msg=" in file '{}'".format(filename) if filename else "",
  315. error_msg=error_msg))