sequence.py 7.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215
  1. # (c) 2013, Jayson Vantuyl <jayson@aggressive.ly>
  2. #
  3. # This file is part of Ansible
  4. #
  5. # Ansible is free software: you can redistribute it and/or modify
  6. # it under the terms of the GNU General Public License as published by
  7. # the Free Software Foundation, either version 3 of the License, or
  8. # (at your option) any later version.
  9. #
  10. # Ansible is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  13. # GNU General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU General Public License
  16. # along with Ansible. If not, see <http://www.gnu.org/licenses/>.
  17. from ansible.errors import AnsibleError
  18. import ansible.utils as utils
  19. from re import compile as re_compile, IGNORECASE
  20. # shortcut format
  21. NUM = "(0?x?[0-9a-f]+)"
  22. SHORTCUT = re_compile(
  23. "^(" + # Group 0
  24. NUM + # Group 1: Start
  25. "-)?" +
  26. NUM + # Group 2: End
  27. "(/" + # Group 3
  28. NUM + # Group 4: Stride
  29. ")?" +
  30. "(:(.+))?$", # Group 5, Group 6: Format String
  31. IGNORECASE
  32. )
  33. class LookupModule(object):
  34. """
  35. sequence lookup module
  36. Used to generate some sequence of items. Takes arguments in two forms.
  37. The simple / shortcut form is:
  38. [start-]end[/stride][:format]
  39. As indicated by the brackets: start, stride, and format string are all
  40. optional. The format string is in the style of printf. This can be used
  41. to pad with zeros, format in hexadecimal, etc. All of the numerical values
  42. can be specified in octal (i.e. 0664) or hexadecimal (i.e. 0x3f8).
  43. Negative numbers are not supported.
  44. Some examples:
  45. 5 -> ["1","2","3","4","5"]
  46. 5-8 -> ["5", "6", "7", "8"]
  47. 2-10/2 -> ["2", "4", "6", "8", "10"]
  48. 4:host%02d -> ["host01","host02","host03","host04"]
  49. The standard Ansible key-value form is accepted as well. For example:
  50. start=5 end=11 stride=2 format=0x%02x -> ["0x05","0x07","0x09","0x0a"]
  51. This format takes an alternate form of "end" called "count", which counts
  52. some number from the starting value. For example:
  53. count=5 -> ["1", "2", "3", "4", "5"]
  54. start=0x0f00 count=4 format=%04x -> ["0f00", "0f01", "0f02", "0f03"]
  55. start=0 count=5 stride=2 -> ["0", "2", "4", "6", "8"]
  56. start=1 count=5 stride=2 -> ["1", "3", "5", "7", "9"]
  57. The count option is mostly useful for avoiding off-by-one errors and errors
  58. calculating the number of entries in a sequence when a stride is specified.
  59. """
  60. def __init__(self, basedir, **kwargs):
  61. """absorb any keyword args"""
  62. self.basedir = basedir
  63. def reset(self):
  64. """set sensible defaults"""
  65. self.start = 1
  66. self.count = None
  67. self.end = None
  68. self.stride = 1
  69. self.format = "%d"
  70. def parse_kv_args(self, args):
  71. """parse key-value style arguments"""
  72. for arg in ["start", "end", "count", "stride"]:
  73. try:
  74. arg_raw = args.pop(arg, None)
  75. if arg_raw is None:
  76. continue
  77. arg_cooked = int(arg_raw, 0)
  78. setattr(self, arg, arg_cooked)
  79. except ValueError:
  80. raise AnsibleError(
  81. "can't parse arg %s=%r as integer"
  82. % (arg, arg_raw)
  83. )
  84. if 'format' in args:
  85. self.format = args.pop("format")
  86. if args:
  87. raise AnsibleError(
  88. "unrecognized arguments to with_sequence: %r"
  89. % args.keys()
  90. )
  91. def parse_simple_args(self, term):
  92. """parse the shortcut forms, return True/False"""
  93. match = SHORTCUT.match(term)
  94. if not match:
  95. return False
  96. _, start, end, _, stride, _, format = match.groups()
  97. if start is not None:
  98. try:
  99. start = int(start, 0)
  100. except ValueError:
  101. raise AnsibleError("can't parse start=%s as integer" % start)
  102. if end is not None:
  103. try:
  104. end = int(end, 0)
  105. except ValueError:
  106. raise AnsibleError("can't parse end=%s as integer" % end)
  107. if stride is not None:
  108. try:
  109. stride = int(stride, 0)
  110. except ValueError:
  111. raise AnsibleError("can't parse stride=%s as integer" % stride)
  112. if start is not None:
  113. self.start = start
  114. if end is not None:
  115. self.end = end
  116. if stride is not None:
  117. self.stride = stride
  118. if format is not None:
  119. self.format = format
  120. def sanity_check(self):
  121. if self.count is None and self.end is None:
  122. raise AnsibleError(
  123. "must specify count or end in with_sequence"
  124. )
  125. elif self.count is not None and self.end is not None:
  126. raise AnsibleError(
  127. "can't specify both count and end in with_sequence"
  128. )
  129. elif self.count is not None:
  130. # convert count to end
  131. if self.count != 0:
  132. self.end = self.start + self.count * self.stride - 1
  133. else:
  134. self.start = 0
  135. self.end = 0
  136. self.stride = 0
  137. del self.count
  138. if self.stride > 0 and self.end < self.start:
  139. raise AnsibleError("to count backwards make stride negative")
  140. if self.stride < 0 and self.end > self.start:
  141. raise AnsibleError("to count forward don't make stride negative")
  142. if self.format.count('%') != 1:
  143. raise AnsibleError("bad formatting string: %s" % self.format)
  144. def generate_sequence(self):
  145. if self.stride > 0:
  146. adjust = 1
  147. else:
  148. adjust = -1
  149. numbers = xrange(self.start, self.end + adjust, self.stride)
  150. for i in numbers:
  151. try:
  152. formatted = self.format % i
  153. yield formatted
  154. except (ValueError, TypeError):
  155. raise AnsibleError(
  156. "problem formatting %r with %r" % self.format
  157. )
  158. def run(self, terms, inject=None, **kwargs):
  159. results = []
  160. terms = utils.listify_lookup_plugin_terms(terms, self.basedir, inject)
  161. if isinstance(terms, basestring):
  162. terms = [ terms ]
  163. for term in terms:
  164. try:
  165. self.reset() # clear out things for this iteration
  166. try:
  167. if not self.parse_simple_args(term):
  168. self.parse_kv_args(utils.parse_kv(term))
  169. except Exception:
  170. raise AnsibleError(
  171. "unknown error parsing with_sequence arguments: %r"
  172. % term
  173. )
  174. self.sanity_check()
  175. if self.stride != 0:
  176. results.extend(self.generate_sequence())
  177. except AnsibleError:
  178. raise
  179. except Exception, e:
  180. raise AnsibleError(
  181. "unknown error generating sequence: %s" % str(e)
  182. )
  183. return results