docker_storage.py 8.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185
  1. """Check Docker storage driver and usage."""
  2. import json
  3. import re
  4. from openshift_checks import OpenShiftCheck, OpenShiftCheckException, get_var
  5. from openshift_checks.mixins import DockerHostMixin
  6. class DockerStorage(DockerHostMixin, OpenShiftCheck):
  7. """Check Docker storage driver compatibility.
  8. This check ensures that Docker is using a supported storage driver,
  9. and that loopback is not being used (if using devicemapper).
  10. Also that storage usage is not above threshold.
  11. """
  12. name = "docker_storage"
  13. tags = ["pre-install", "health", "preflight"]
  14. dependencies = ["python-docker-py"]
  15. storage_drivers = ["devicemapper", "overlay2"]
  16. max_thinpool_data_usage_percent = 90.0
  17. max_thinpool_meta_usage_percent = 90.0
  18. # pylint: disable=too-many-return-statements
  19. # Reason: permanent stylistic exception;
  20. # it is clearer to return on failures and there are just many ways to fail here.
  21. def run(self, tmp, task_vars):
  22. msg, failed, changed = self.ensure_dependencies(task_vars)
  23. if failed:
  24. return {
  25. "failed": True,
  26. "changed": changed,
  27. "msg": "Some dependencies are required in order to query docker storage on host:\n" + msg
  28. }
  29. # attempt to get the docker info hash from the API
  30. info = self.execute_module("docker_info", {}, task_vars=task_vars)
  31. if info.get("failed"):
  32. return {"failed": True, "changed": changed,
  33. "msg": "Failed to query Docker API. Is docker running on this host?"}
  34. if not info.get("info"): # this would be very strange
  35. return {"failed": True, "changed": changed,
  36. "msg": "Docker API query missing info:\n{}".format(json.dumps(info))}
  37. info = info["info"]
  38. # check if the storage driver we saw is valid
  39. driver = info.get("Driver", "[NONE]")
  40. if driver not in self.storage_drivers:
  41. msg = (
  42. "Detected unsupported Docker storage driver '{driver}'.\n"
  43. "Supported storage drivers are: {drivers}"
  44. ).format(driver=driver, drivers=', '.join(self.storage_drivers))
  45. return {"failed": True, "changed": changed, "msg": msg}
  46. # driver status info is a list of tuples; convert to dict and validate based on driver
  47. driver_status = {item[0]: item[1] for item in info.get("DriverStatus", [])}
  48. if driver == "devicemapper":
  49. if driver_status.get("Data loop file"):
  50. msg = (
  51. "Use of loopback devices with the Docker devicemapper storage driver\n"
  52. "(the default storage configuration) is unsupported in production.\n"
  53. "Please use docker-storage-setup to configure a backing storage volume.\n"
  54. "See http://red.ht/2rNperO for further information."
  55. )
  56. return {"failed": True, "changed": changed, "msg": msg}
  57. result = self._check_dm_usage(driver_status, task_vars)
  58. result['changed'] = result.get('changed', False) or changed
  59. return result
  60. # TODO(lmeyer): determine how to check usage for overlay2
  61. return {"changed": changed}
  62. def _check_dm_usage(self, driver_status, task_vars):
  63. """
  64. Backing assumptions: We expect devicemapper to be backed by an auto-expanding thin pool
  65. implemented as an LV in an LVM2 VG. This is how docker-storage-setup currently configures
  66. devicemapper storage. The LV is "thin" because it does not use all available storage
  67. from its VG, instead expanding as needed; so to determine available space, we gather
  68. current usage as the Docker API reports for the driver as well as space available for
  69. expansion in the pool's VG.
  70. Usage within the LV is divided into pools allocated to data and metadata, either of which
  71. could run out of space first; so we check both.
  72. """
  73. vals = dict(
  74. vg_free=self._get_vg_free(driver_status.get("Pool Name"), task_vars),
  75. data_used=driver_status.get("Data Space Used"),
  76. data_total=driver_status.get("Data Space Total"),
  77. metadata_used=driver_status.get("Metadata Space Used"),
  78. metadata_total=driver_status.get("Metadata Space Total"),
  79. )
  80. # convert all human-readable strings to bytes
  81. for key, value in vals.copy().items():
  82. try:
  83. vals[key + "_bytes"] = self._convert_to_bytes(value)
  84. except ValueError as err: # unlikely to hit this from API info, but just to be safe
  85. return {
  86. "failed": True,
  87. "values": vals,
  88. "msg": "Could not interpret {} value '{}' as bytes: {}".format(key, value, str(err))
  89. }
  90. # determine the threshold percentages which usage should not exceed
  91. for name, default in [("data", self.max_thinpool_data_usage_percent),
  92. ("metadata", self.max_thinpool_meta_usage_percent)]:
  93. percent = get_var(task_vars, "max_thinpool_" + name + "_usage_percent", default=default)
  94. try:
  95. vals[name + "_threshold"] = float(percent)
  96. except ValueError:
  97. return {
  98. "failed": True,
  99. "msg": "Specified thinpool {} usage limit '{}' is not a percentage".format(name, percent)
  100. }
  101. # test whether the thresholds are exceeded
  102. messages = []
  103. for name in ["data", "metadata"]:
  104. vals[name + "_pct_used"] = 100 * vals[name + "_used_bytes"] / (
  105. vals[name + "_total_bytes"] + vals["vg_free_bytes"])
  106. if vals[name + "_pct_used"] > vals[name + "_threshold"]:
  107. messages.append(
  108. "Docker thinpool {name} usage percentage {pct:.1f} "
  109. "is higher than threshold {thresh:.1f}.".format(
  110. name=name,
  111. pct=vals[name + "_pct_used"],
  112. thresh=vals[name + "_threshold"],
  113. ))
  114. vals["failed"] = True
  115. vals["msg"] = "\n".join(messages or ["Thinpool usage is within thresholds."])
  116. return vals
  117. def _get_vg_free(self, pool, task_vars):
  118. # Determine which VG to examine according to the pool name, the only indicator currently
  119. # available from the Docker API driver info. We assume a name that looks like
  120. # "vg--name-docker--pool"; vg and lv names with inner hyphens doubled, joined by a hyphen.
  121. match = re.match(r'((?:[^-]|--)+)-(?!-)', pool) # matches up to the first single hyphen
  122. if not match: # unlikely, but... be clear if we assumed wrong
  123. raise OpenShiftCheckException(
  124. "This host's Docker reports it is using a storage pool named '{}'.\n"
  125. "However this name does not have the expected format of 'vgname-lvname'\n"
  126. "so the available storage in the VG cannot be determined.".format(pool)
  127. )
  128. vg_name = match.groups()[0].replace("--", "-")
  129. vgs_cmd = "/sbin/vgs --noheadings -o vg_free --select vg_name=" + vg_name
  130. # should return free space like " 12.00g" if the VG exists; empty if it does not
  131. ret = self.execute_module("command", {"_raw_params": vgs_cmd}, task_vars=task_vars)
  132. if ret.get("failed") or ret.get("rc", 0) != 0:
  133. raise OpenShiftCheckException(
  134. "Is LVM installed? Failed to run /sbin/vgs "
  135. "to determine docker storage usage:\n" + ret.get("msg", "")
  136. )
  137. size = ret.get("stdout", "").strip()
  138. if not size:
  139. raise OpenShiftCheckException(
  140. "This host's Docker reports it is using a storage pool named '{pool}'.\n"
  141. "which we expect to come from local VG '{vg}'.\n"
  142. "However, /sbin/vgs did not find this VG. Is Docker for this host"
  143. "running and using the storage on the host?".format(pool=pool, vg=vg_name)
  144. )
  145. return size
  146. @staticmethod
  147. def _convert_to_bytes(string):
  148. units = dict(
  149. b=1,
  150. k=1024,
  151. m=1024**2,
  152. g=1024**3,
  153. t=1024**4,
  154. p=1024**5,
  155. )
  156. string = string or ""
  157. match = re.match(r'(\d+(?:\.\d+)?)\s*(\w)?', string) # float followed by optional unit
  158. if not match:
  159. raise ValueError("Cannot convert to a byte size: " + string)
  160. number, unit = match.groups()
  161. multiplier = 1 if not unit else units.get(unit.lower())
  162. if not multiplier:
  163. raise ValueError("Cannot convert to a byte size: " + string)
  164. return float(number) * multiplier