partitionpool.py 8.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240
  1. #!/usr/bin/python
  2. """
  3. Ansible module for partitioning.
  4. """
  5. # There is no pyparted on our Jenkins worker
  6. # pylint: disable=import-error
  7. import parted
  8. DOCUMENTATION = """
  9. ---
  10. module: partitionpool
  11. short_description; Partition a disk into parititions.
  12. description:
  13. - Creates partitions on given disk based on partition sizes and their weights.
  14. Unless 'force' option is set to True, it ignores already partitioned disks.
  15. When the disk is empty or 'force' is set to True, it always creates a new
  16. GPT partition table on the disk. Then it creates number of partitions, based
  17. on their weights.
  18. This module should be used when a system admin wants to split existing disk(s)
  19. into pools of partitions of specific sizes. It is not intended as generic disk
  20. partitioning module!
  21. Independent on 'force' parameter value and actual disk state, the task
  22. always fills 'partition_pool' fact with all partitions on given disks,
  23. together with their sizes (in bytes). E.g.:
  24. partition_sizes = [
  25. { name: sda1, Size: 1048576000 },
  26. { name: sda2, Size: 1048576000 },
  27. { name: sdb1, Size: 1048576000 },
  28. ...
  29. ]
  30. options:
  31. disk:
  32. description:
  33. - Disk to partition.
  34. size:
  35. description:
  36. - Sizes of partitions to create and their weights. Has form of:
  37. <size1>[:<weigth1>][,<size2>[:<weight2>][,...]]
  38. - Any <size> can end with 'm' or 'M' for megabyte, 'g/G' for gigabyte
  39. and 't/T' for terabyte. Megabyte is used when no unit is specified.
  40. - If <weight> is missing, 1.0 is used.
  41. - From each specified partition <sizeX>, number of these partitions are
  42. created so they occupy spaces represented by <weightX>, proportionally to
  43. other weights.
  44. - Example 1: size=100G says, that the whole disk is split in number of 100 GiB
  45. partitions. On 1 TiB disk, 10 partitions will be created.
  46. - Example 2: size=100G:1,10G:1 says that ratio of space occupied by 100 GiB
  47. partitions and 10 GiB partitions is 1:1. Therefore, on 1 TiB disk, 500 GiB
  48. will be split into five 100 GiB partition and 500 GiB will be split into fifty
  49. 10GiB partitions.
  50. - size=100G:1,10G:1 = 5x 100 GiB and 50x 10 GiB partitions (on 1 TiB disk).
  51. - Example 3: size=200G:1,100G:2 says that the ratio of space occupied by 200 GiB
  52. partitions and 100GiB partition is 1:2. Therefore, on 1 TiB disk, 1/3
  53. (300 GiB) should be occupied by 200 GiB partitions. Only one fits there,
  54. so only one is created (we always round nr. of partitions *down*). The rest
  55. (800 GiB) is split into eight 100 GiB partitions, even though it's more
  56. than 2/3 of total space - free space is always allocated as much as possible.
  57. - size=200G:1,100G:2 = 1x 200 GiB and 8x 100 GiB partitions (on 1 TiB disk).
  58. - Example: size=200G:1,100G:1,50G:1 says that the ratio of space occupied by
  59. 200 GiB, 100 GiB and 50 GiB partitions is 1:1:1. Therefore 1/3 of 1 TiB disk
  60. is dedicated to 200 GiB partitions. Only one fits there and only one is
  61. created. The rest (800 GiB) is distributed according to remaining weights:
  62. 100 GiB vs 50 GiB is 1:1, we create four 100 GiB partitions (400 GiB in total)
  63. and eight 50 GiB partitions (again, 400 GiB).
  64. - size=200G:1,100G:1,50G:1 = 1x 200 GiB, 4x 100 GiB and 8x 50 GiB partitions
  65. (on 1 TiB disk).
  66. force:
  67. description:
  68. - If True, it will always overwite partition table on the disk and create new one.
  69. - If False (default), it won't change existing partition tables.
  70. """
  71. # It's not class, it's more a simple struct with almost no functionality.
  72. # pylint: disable=too-few-public-methods
  73. class PartitionSpec(object):
  74. """ Simple class to represent required partitions."""
  75. def __init__(self, size, weight):
  76. """ Initialize the partition specifications."""
  77. # Size of the partitions
  78. self.size = size
  79. # Relative weight of this request
  80. self.weight = weight
  81. # Number of partitions to create, will be calculated later
  82. self.count = -1
  83. def set_count(self, count):
  84. """ Set count of parititions of this specification. """
  85. self.count = count
  86. def assign_space(total_size, specs):
  87. """
  88. Satisfy all the PartitionSpecs according to their weight.
  89. In other words, calculate spec.count of all the specs.
  90. """
  91. total_weight = 0.0
  92. for spec in specs:
  93. total_weight += float(spec.weight)
  94. for spec in specs:
  95. num_blocks = int((float(spec.weight) / total_weight) * (total_size / float(spec.size)))
  96. spec.set_count(num_blocks)
  97. total_size -= num_blocks * spec.size
  98. total_weight -= spec.weight
  99. def partition(diskname, specs, force=False, check_mode=False):
  100. """
  101. Create requested partitions.
  102. Returns nr. of created partitions or 0 when the disk was already partitioned.
  103. """
  104. count = 0
  105. dev = parted.getDevice(diskname)
  106. try:
  107. disk = parted.newDisk(dev)
  108. except parted.DiskException:
  109. # unrecognizable format, treat as empty disk
  110. disk = None
  111. if disk and len(disk.partitions) > 0 and not force:
  112. print "skipping", diskname
  113. return 0
  114. # create new partition table, wiping all existing data
  115. disk = parted.freshDisk(dev, 'gpt')
  116. # calculate nr. of partitions of each size
  117. assign_space(dev.getSize(), specs)
  118. last_megabyte = 1
  119. for spec in specs:
  120. for _ in range(spec.count):
  121. # create the partition
  122. start = parted.sizeToSectors(last_megabyte, "MiB", dev.sectorSize)
  123. length = parted.sizeToSectors(spec.size, "MiB", dev.sectorSize)
  124. geo = parted.Geometry(device=dev, start=start, length=length)
  125. filesystem = parted.FileSystem(type='ext4', geometry=geo)
  126. part = parted.Partition(
  127. disk=disk,
  128. type=parted.PARTITION_NORMAL,
  129. fs=filesystem,
  130. geometry=geo)
  131. disk.addPartition(partition=part, constraint=dev.optimalAlignedConstraint)
  132. last_megabyte += spec.size
  133. count += 1
  134. try:
  135. if not check_mode:
  136. disk.commit()
  137. except parted.IOException:
  138. # partitions have been written, but we have been unable to inform the
  139. # kernel of the change, probably because they are in use.
  140. # Ignore it and hope for the best...
  141. pass
  142. return count
  143. def parse_spec(text):
  144. """ Parse string with partition specification. """
  145. tokens = text.split(",")
  146. specs = []
  147. for token in tokens:
  148. if not ":" in token:
  149. token += ":1"
  150. (sizespec, weight) = token.split(':')
  151. weight = float(weight) # throws exception with reasonable error string
  152. units = {"m": 1, "g": 1 << 10, "t": 1 << 20, "p": 1 << 30}
  153. unit = units.get(sizespec[-1].lower(), None)
  154. if not unit:
  155. # there is no unit specifier, it must be just the number
  156. size = float(sizespec)
  157. unit = 1
  158. else:
  159. size = float(sizespec[:-1])
  160. spec = PartitionSpec(int(size * unit), weight)
  161. specs.append(spec)
  162. return specs
  163. def get_partitions(diskpath):
  164. """ Return array of partition names for given disk """
  165. dev = parted.getDevice(diskpath)
  166. disk = parted.newDisk(dev)
  167. partitions = []
  168. for part in disk.partitions:
  169. (_, _, pname) = part.path.rsplit("/")
  170. partitions.append({"name": pname, "size": part.getLength() * dev.sectorSize})
  171. return partitions
  172. def main():
  173. """ Ansible module main method. """
  174. module = AnsibleModule(
  175. argument_spec=dict(
  176. disks=dict(required=True, type='str'),
  177. force=dict(required=False, default="no", type='bool'),
  178. sizes=dict(required=True, type='str')
  179. ),
  180. supports_check_mode=True,
  181. )
  182. disks = module.params['disks']
  183. force = module.params['force']
  184. if force is None:
  185. force = False
  186. sizes = module.params['sizes']
  187. try:
  188. specs = parse_spec(sizes)
  189. except ValueError, ex:
  190. err = "Error parsing sizes=" + sizes + ": " + str(ex)
  191. module.fail_json(msg=err)
  192. partitions = []
  193. changed_count = 0
  194. for disk in disks.split(","):
  195. try:
  196. changed_count += partition(disk, specs, force, module.check_mode)
  197. except Exception, ex:
  198. err = "Error creating partitions on " + disk + ": " + str(ex)
  199. raise
  200. #module.fail_json(msg=err)
  201. partitions += get_partitions(disk)
  202. module.exit_json(changed=(changed_count > 0), ansible_facts={"partition_pool": partitions})
  203. # ignore pylint errors related to the module_utils import
  204. # pylint: disable=redefined-builtin, unused-wildcard-import, wildcard-import
  205. # import module snippets
  206. from ansible.module_utils.basic import *
  207. main()