master_check_paths_in_config.py 4.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129
  1. """
  2. Ansible action plugin to ensure inventory variables are set
  3. appropriately and no conflicting options have been provided.
  4. """
  5. import collections
  6. import six
  7. from ansible.plugins.action import ActionBase
  8. from ansible import errors
  9. FAIL_MSG = """A string value that appears to be a file path located outside of
  10. {} has been found in /etc/origin/master/master-config.yaml.
  11. In 3.10 and newer, all files needed by the master must reside inside of
  12. those directories or a subdirectory or it will not be readable by the
  13. master process. Please migrate all files needed by the master into
  14. one of {} or a subdirectory and update your master configs before
  15. proceeding. The string found was: {}
  16. ***********************
  17. NOTE: the following items do not need to be migrated, they will be migrated
  18. for you: {}"""
  19. ITEMS_TO_POP = (
  20. ('oauthConfig', 'identityProviders'),
  21. )
  22. # Create csv string of dot-separated dictionary keys:
  23. # eg: 'oathConfig.identityProviders, something.else.here'
  24. MIGRATED_ITEMS = ", ".join([".".join(x) for x in ITEMS_TO_POP])
  25. ALLOWED_DIRS = (
  26. '/etc/origin/master/',
  27. '/var/lib/origin',
  28. '/etc/origin/cloudprovider',
  29. )
  30. ALLOWED_DIRS_STRING = ', '.join(ALLOWED_DIRS)
  31. def pop_migrated_fields(mastercfg):
  32. """Some fields do not need to be searched because they will be migrated
  33. for users automatically"""
  34. # Walk down the tree and pop the specific item we migrate / don't care about
  35. for item in ITEMS_TO_POP:
  36. field = mastercfg
  37. for sub_field in item:
  38. parent_field = field
  39. field = field[sub_field]
  40. parent_field.pop(item[len(item) - 1])
  41. def do_item_check(val, strings_to_check):
  42. """Check type of val, append to strings_to_check if string, otherwise if
  43. it's a dictionary-like object call walk_mapping, if it's a list-like
  44. object call walk_sequence, else ignore."""
  45. if isinstance(val, six.string_types):
  46. strings_to_check.append(val)
  47. elif isinstance(val, collections.Sequence):
  48. # A list-like object
  49. walk_sequence(val, strings_to_check)
  50. elif isinstance(val, collections.Mapping):
  51. # A dictionary-like object
  52. walk_mapping(val, strings_to_check)
  53. # If it's not a string, list, or dictionary, we're not interested.
  54. def walk_sequence(items, strings_to_check):
  55. """Walk recursively through a list, items"""
  56. for item in items:
  57. do_item_check(item, strings_to_check)
  58. def walk_mapping(map_to_walk, strings_to_check):
  59. """Walk recursively through map_to_walk dictionary and add strings to
  60. strings_to_check"""
  61. for _, val in map_to_walk.items():
  62. do_item_check(val, strings_to_check)
  63. def check_strings(strings_to_check):
  64. """Check the strings we found to see if they look like file paths and if
  65. they are, fail if not start with /etc/origin/master"""
  66. for item in strings_to_check:
  67. if item.startswith('/') or item.startswith('../'):
  68. matches = 0
  69. for allowed in ALLOWED_DIRS:
  70. if item.startswith(allowed):
  71. matches += 1
  72. if matches == 0:
  73. raise errors.AnsibleModuleError(
  74. FAIL_MSG.format(ALLOWED_DIRS_STRING,
  75. ALLOWED_DIRS_STRING,
  76. item, MIGRATED_ITEMS))
  77. # pylint: disable=R0903
  78. class ActionModule(ActionBase):
  79. """Action plugin to validate no files are needed by master that reside
  80. outside of /etc/origin/master as masters will now run as pods and cannot
  81. utilize files outside of that path as they will not be mounted inside the
  82. containers."""
  83. def run(self, tmp=None, task_vars=None):
  84. """Run this action module"""
  85. result = super(ActionModule, self).run(tmp, task_vars)
  86. # self.task_vars holds all in-scope variables.
  87. # Ignore settting self.task_vars outside of init.
  88. # pylint: disable=W0201
  89. self.task_vars = task_vars or {}
  90. # mastercfg should be a dictionary from scraping an existing master's
  91. # config yaml file.
  92. mastercfg = self._task.args.get('mastercfg')
  93. # We migrate some paths for users automatically, so we pop those.
  94. pop_migrated_fields(mastercfg)
  95. # Create an empty list to append strings from our config file to to check
  96. # later.
  97. strings_to_check = []
  98. walk_mapping(mastercfg, strings_to_check)
  99. check_strings(strings_to_check)
  100. result["changed"] = False
  101. result["failed"] = False
  102. result["msg"] = "Aight, configs looking good"
  103. return result