docker_storage.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276
  1. """Check Docker storage driver and usage."""
  2. import json
  3. import re
  4. from openshift_checks import OpenShiftCheck, OpenShiftCheckException
  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 = ["health", "preflight"]
  14. dependencies = ["python-docker-py"]
  15. storage_drivers = ["devicemapper", "overlay", "overlay2"]
  16. max_thinpool_data_usage_percent = 90.0
  17. max_thinpool_meta_usage_percent = 90.0
  18. max_overlay_usage_percent = 90.0
  19. # TODO(lmeyer): mention these in the output when check fails
  20. configuration_variables = [
  21. (
  22. "max_thinpool_data_usage_percent",
  23. "For 'devicemapper' storage driver, usage threshold percentage for data. "
  24. "Format: float. Default: {:.1f}".format(max_thinpool_data_usage_percent),
  25. ),
  26. (
  27. "max_thinpool_meta_usage_percent",
  28. "For 'devicemapper' storage driver, usage threshold percentage for metadata. "
  29. "Format: float. Default: {:.1f}".format(max_thinpool_meta_usage_percent),
  30. ),
  31. (
  32. "max_overlay_usage_percent",
  33. "For 'overlay' or 'overlay2' storage driver, usage threshold percentage. "
  34. "Format: float. Default: {:.1f}".format(max_overlay_usage_percent),
  35. ),
  36. ]
  37. def run(self):
  38. msg, failed = self.ensure_dependencies()
  39. if failed:
  40. return {
  41. "failed": True,
  42. "msg": "Some dependencies are required in order to query docker storage on host:\n" + msg
  43. }
  44. # attempt to get the docker info hash from the API
  45. docker_info = self.execute_module("docker_info", {})
  46. if docker_info.get("failed"):
  47. return {"failed": True,
  48. "msg": "Failed to query Docker API. Is docker running on this host?"}
  49. if not docker_info.get("info"): # this would be very strange
  50. return {"failed": True,
  51. "msg": "Docker API query missing info:\n{}".format(json.dumps(docker_info))}
  52. docker_info = docker_info["info"]
  53. # check if the storage driver we saw is valid
  54. driver = docker_info.get("Driver", "[NONE]")
  55. if driver not in self.storage_drivers:
  56. msg = (
  57. "Detected unsupported Docker storage driver '{driver}'.\n"
  58. "Supported storage drivers are: {drivers}"
  59. ).format(driver=driver, drivers=', '.join(self.storage_drivers))
  60. return {"failed": True, "msg": msg}
  61. # driver status info is a list of tuples; convert to dict and validate based on driver
  62. driver_status = {item[0]: item[1] for item in docker_info.get("DriverStatus", [])}
  63. result = {}
  64. if driver == "devicemapper":
  65. result = self.check_devicemapper_support(driver_status)
  66. if driver in ['overlay', 'overlay2']:
  67. result = self.check_overlay_support(docker_info, driver_status)
  68. return result
  69. def check_devicemapper_support(self, driver_status):
  70. """Check if dm storage driver is supported as configured. Return: result dict."""
  71. if driver_status.get("Data loop file"):
  72. msg = (
  73. "Use of loopback devices with the Docker devicemapper storage driver\n"
  74. "(the default storage configuration) is unsupported in production.\n"
  75. "Please use docker-storage-setup to configure a backing storage volume.\n"
  76. "See http://red.ht/2rNperO for further information."
  77. )
  78. return {"failed": True, "msg": msg}
  79. result = self.check_dm_usage(driver_status)
  80. return result
  81. def check_dm_usage(self, driver_status):
  82. """Check usage thresholds for Docker dm storage driver. Return: result dict.
  83. Backing assumptions: We expect devicemapper to be backed by an auto-expanding thin pool
  84. implemented as an LV in an LVM2 VG. This is how docker-storage-setup currently configures
  85. devicemapper storage. The LV is "thin" because it does not use all available storage
  86. from its VG, instead expanding as needed; so to determine available space, we gather
  87. current usage as the Docker API reports for the driver as well as space available for
  88. expansion in the pool's VG.
  89. Usage within the LV is divided into pools allocated to data and metadata, either of which
  90. could run out of space first; so we check both.
  91. """
  92. vals = dict(
  93. vg_free=self.get_vg_free(driver_status.get("Pool Name")),
  94. data_used=driver_status.get("Data Space Used"),
  95. data_total=driver_status.get("Data Space Total"),
  96. metadata_used=driver_status.get("Metadata Space Used"),
  97. metadata_total=driver_status.get("Metadata Space Total"),
  98. )
  99. # convert all human-readable strings to bytes
  100. for key, value in vals.copy().items():
  101. try:
  102. vals[key + "_bytes"] = self.convert_to_bytes(value)
  103. except ValueError as err: # unlikely to hit this from API info, but just to be safe
  104. return {
  105. "failed": True,
  106. "values": vals,
  107. "msg": "Could not interpret {} value '{}' as bytes: {}".format(key, value, str(err))
  108. }
  109. # determine the threshold percentages which usage should not exceed
  110. for name, default in [("data", self.max_thinpool_data_usage_percent),
  111. ("metadata", self.max_thinpool_meta_usage_percent)]:
  112. percent = self.get_var("max_thinpool_" + name + "_usage_percent", default=default)
  113. try:
  114. vals[name + "_threshold"] = float(percent)
  115. except ValueError:
  116. return {
  117. "failed": True,
  118. "msg": "Specified thinpool {} usage limit '{}' is not a percentage".format(name, percent)
  119. }
  120. # test whether the thresholds are exceeded
  121. messages = []
  122. for name in ["data", "metadata"]:
  123. vals[name + "_pct_used"] = 100 * vals[name + "_used_bytes"] / (
  124. vals[name + "_total_bytes"] + vals["vg_free_bytes"])
  125. if vals[name + "_pct_used"] > vals[name + "_threshold"]:
  126. messages.append(
  127. "Docker thinpool {name} usage percentage {pct:.1f} "
  128. "is higher than threshold {thresh:.1f}.".format(
  129. name=name,
  130. pct=vals[name + "_pct_used"],
  131. thresh=vals[name + "_threshold"],
  132. ))
  133. vals["failed"] = True
  134. vals["msg"] = "\n".join(messages or ["Thinpool usage is within thresholds."])
  135. return vals
  136. def get_vg_free(self, pool):
  137. """Determine which VG to examine according to the pool name. Return: size vgs reports.
  138. Pool name is the only indicator currently available from the Docker API driver info.
  139. We assume a name that looks like "vg--name-docker--pool";
  140. vg and lv names with inner hyphens doubled, joined by a hyphen.
  141. """
  142. match = re.match(r'((?:[^-]|--)+)-(?!-)', pool) # matches up to the first single hyphen
  143. if not match: # unlikely, but... be clear if we assumed wrong
  144. raise OpenShiftCheckException(
  145. "This host's Docker reports it is using a storage pool named '{}'.\n"
  146. "However this name does not have the expected format of 'vgname-lvname'\n"
  147. "so the available storage in the VG cannot be determined.".format(pool)
  148. )
  149. vg_name = match.groups()[0].replace("--", "-")
  150. vgs_cmd = "/sbin/vgs --noheadings -o vg_free --units g --select vg_name=" + vg_name
  151. # should return free space like " 12.00g" if the VG exists; empty if it does not
  152. ret = self.execute_module("command", {"_raw_params": vgs_cmd})
  153. if ret.get("failed") or ret.get("rc", 0) != 0:
  154. raise OpenShiftCheckException(
  155. "Is LVM installed? Failed to run /sbin/vgs "
  156. "to determine docker storage usage:\n" + ret.get("msg", "")
  157. )
  158. size = ret.get("stdout", "").strip()
  159. if not size:
  160. raise OpenShiftCheckException(
  161. "This host's Docker reports it is using a storage pool named '{pool}'.\n"
  162. "which we expect to come from local VG '{vg}'.\n"
  163. "However, /sbin/vgs did not find this VG. Is Docker for this host"
  164. "running and using the storage on the host?".format(pool=pool, vg=vg_name)
  165. )
  166. return size
  167. @staticmethod
  168. def convert_to_bytes(string):
  169. """Convert string like "10.3 G" to bytes (binary units assumed). Return: float bytes."""
  170. units = dict(
  171. b=1,
  172. k=1024,
  173. m=1024**2,
  174. g=1024**3,
  175. t=1024**4,
  176. p=1024**5,
  177. )
  178. string = string or ""
  179. match = re.match(r'(\d+(?:\.\d+)?)\s*(\w)?', string) # float followed by optional unit
  180. if not match:
  181. raise ValueError("Cannot convert to a byte size: " + string)
  182. number, unit = match.groups()
  183. multiplier = 1 if not unit else units.get(unit.lower())
  184. if not multiplier:
  185. raise ValueError("Cannot convert to a byte size: " + string)
  186. return float(number) * multiplier
  187. def check_overlay_support(self, docker_info, driver_status):
  188. """Check if overlay storage driver is supported for this host. Return: result dict."""
  189. # check for xfs as backing store
  190. backing_fs = driver_status.get("Backing Filesystem", "[NONE]")
  191. if backing_fs != "xfs":
  192. msg = (
  193. "Docker storage drivers 'overlay' and 'overlay2' are only supported with\n"
  194. "'xfs' as the backing storage, but this host's storage is type '{fs}'."
  195. ).format(fs=backing_fs)
  196. return {"failed": True, "msg": msg}
  197. # check support for OS and kernel version
  198. o_s = docker_info.get("OperatingSystem", "[NONE]")
  199. if "Red Hat Enterprise Linux" in o_s or "CentOS" in o_s:
  200. # keep it simple, only check enterprise kernel versions; assume everyone else is good
  201. kernel = docker_info.get("KernelVersion", "[NONE]")
  202. kernel_arr = [int(num) for num in re.findall(r'\d+', kernel)]
  203. if kernel_arr < [3, 10, 0, 514]: # rhel < 7.3
  204. msg = (
  205. "Docker storage drivers 'overlay' and 'overlay2' are only supported beginning with\n"
  206. "kernel version 3.10.0-514; but Docker reports kernel version {version}."
  207. ).format(version=kernel)
  208. return {"failed": True, "msg": msg}
  209. # NOTE: we could check for --selinux-enabled here but docker won't even start with
  210. # that option until it's supported in the kernel so we don't need to.
  211. return self.check_overlay_usage(docker_info)
  212. def check_overlay_usage(self, docker_info):
  213. """Check disk usage on OverlayFS backing store volume. Return: result dict."""
  214. path = docker_info.get("DockerRootDir", "/var/lib/docker") + "/" + docker_info["Driver"]
  215. threshold = self.get_var("max_overlay_usage_percent", default=self.max_overlay_usage_percent)
  216. try:
  217. threshold = float(threshold)
  218. except ValueError:
  219. return {
  220. "failed": True,
  221. "msg": "Specified 'max_overlay_usage_percent' is not a percentage: {}".format(threshold),
  222. }
  223. mount = self.find_ansible_mount(path)
  224. try:
  225. free_bytes = mount['size_available']
  226. total_bytes = mount['size_total']
  227. usage = 100.0 * (total_bytes - free_bytes) / total_bytes
  228. except (KeyError, ZeroDivisionError):
  229. return {
  230. "failed": True,
  231. "msg": "The ansible_mount found for path {} is invalid.\n"
  232. "This is likely to be an Ansible bug. The record was:\n"
  233. "{}".format(path, json.dumps(mount, indent=2)),
  234. }
  235. if usage > threshold:
  236. return {
  237. "failed": True,
  238. "msg": (
  239. "For Docker OverlayFS mount point {path},\n"
  240. "usage percentage {pct:.1f} is higher than threshold {thresh:.1f}."
  241. ).format(path=mount["mount"], pct=usage, thresh=threshold)
  242. }
  243. return {}