mirror of
https://github.com/ansible-collections/community.general.git
synced 2024-09-14 20:13:21 +02:00
An attempt at modularization prior to moving things towards BaseObject and considering Attributes.
This commit is contained in:
parent
cae88ca12f
commit
ff87ac08a7
3 changed files with 242 additions and 203 deletions
|
@ -1 +1 @@
|
|||
Subproject commit db5668b84c3a19498b843d0bfe34574aef40c193
|
||||
Subproject commit 9b35a391213fe87834af5ebc907109de2bc0005f
|
|
@ -21,43 +21,5 @@ from playbook.tag import Tag
|
|||
class Base(object):
|
||||
|
||||
def __init__(self):
|
||||
self._tags = Tag()
|
||||
pass
|
||||
|
||||
def _ensure_int(self, attr, default=0):
|
||||
value = getattr(self, attr)
|
||||
if value is None:
|
||||
setattr(self, attr, default)
|
||||
elif not isinstance(value, int):
|
||||
try:
|
||||
setattr(self, attr, int(value))
|
||||
except ValueError:
|
||||
raise AnsibleError("failed to set attr %s to an integer, got '%s' which is a %s" % (attr, value, type(value)))
|
||||
|
||||
def _ensure_bool(self, attr, default=False):
|
||||
value = getattr(self, attr)
|
||||
if value is None:
|
||||
setattr(self, attr, default)
|
||||
elif not isinstance(value, bool):
|
||||
setattr(self, attr, utils.boolean(value))
|
||||
|
||||
def _ensure_basestring(self, attr, default=""):
|
||||
value = getattr(self, attr)
|
||||
if value is None:
|
||||
setattr(self, attr, default)
|
||||
elif not isinstance(value, basestring):
|
||||
setattr(self, attr, "%s" % value)
|
||||
|
||||
def _ensure_list_of_strings(self, attr, default=[]):
|
||||
value = getattr(self, attr)
|
||||
if value is None:
|
||||
setattr(self, attr, default)
|
||||
elif not isinstance(value, list):
|
||||
setattr(self, attr, [ str(value) ])
|
||||
else:
|
||||
changed = False
|
||||
for idx,val in enumerate(value):
|
||||
if not isinstance(val, basestring):
|
||||
value[idx] = str(val)
|
||||
changed = True
|
||||
if changed:
|
||||
setattr(self, attr, value)
|
||||
|
|
|
@ -20,207 +20,284 @@ from playbook.conditional import Conditional
|
|||
from errors import AnsibleError
|
||||
from ansible import utils
|
||||
|
||||
# TODO: it would be fantastic (if possible) if a task new where in the YAML it was defined for describing
|
||||
# it in error conditions
|
||||
|
||||
class Task(Base):
|
||||
|
||||
# the list of valid keys for tasks
|
||||
"""
|
||||
A task is a language feature that represents a call to a module, with given arguments and other parameters.
|
||||
A handler is a subclass of a task.
|
||||
|
||||
Usage:
|
||||
|
||||
Task.load(datastructure) -> Task
|
||||
Task.something(...)
|
||||
"""
|
||||
|
||||
# =================================================================================
|
||||
# KEYS AND SLOTS: defines what variables in are valid in the data structure and
|
||||
# the object itself
|
||||
|
||||
VALID_KEYS = [
|
||||
'always_run',
|
||||
'any_errors_fatal',
|
||||
'async',
|
||||
'connection',
|
||||
'delay',
|
||||
'delegate_to',
|
||||
'environment',
|
||||
'first_available_file',
|
||||
'ignore_errors',
|
||||
'include',
|
||||
'local_action',
|
||||
'meta',
|
||||
'name',
|
||||
'no_log',
|
||||
'notify',
|
||||
'poll',
|
||||
'register',
|
||||
'remote_user',
|
||||
'retries',
|
||||
'run_once',
|
||||
'su',
|
||||
'su_pass',
|
||||
'su_user',
|
||||
'sudo',
|
||||
'sudo_pass',
|
||||
'sudo_user',
|
||||
'transport',
|
||||
'until',
|
||||
'always_run', 'any_errors_fatal', 'async', 'connection', 'delay', 'delegate_to', 'environment',
|
||||
'first_available_file', 'ignore_errors', 'include', 'local_action', 'meta', 'name', 'no_log',
|
||||
'notify', 'poll', 'register', 'remote_user', 'retries', 'run_once', 'su', 'su_pass', 'su_user',
|
||||
'sudo', 'sudo_pass', 'sudo_user', 'transport', 'until'
|
||||
]
|
||||
|
||||
__slots__ = [
|
||||
'_always_run', '_any_errors_fatal', '_async', '_connection', '_delay', '_delegate_to', '_environment',
|
||||
'_first_available_file', '_ignore_errors', '_include', '_local_action', '_meta', '_name', '_no_log',
|
||||
'_notify', '_poll', '_register', '_remote_user', '_retries', '_run_once', '_su', '_su_pass', '_su_user',
|
||||
'_sudo', '_sudo_pass', '_sudo_user', '_transport', '_until'
|
||||
]
|
||||
|
||||
# ==================================================================================
|
||||
|
||||
def __init__(self, block=None, role=None):
|
||||
self._ds = None
|
||||
''' constructors a task, without the Task.load classmethod, it will be pretty blank '''
|
||||
self._block = block
|
||||
self._role = role
|
||||
self._reset()
|
||||
super(Task, self).__init__()
|
||||
|
||||
def __repr__(self):
|
||||
if self._role:
|
||||
# TODO: move to BaseObject
|
||||
def _reset(self):
|
||||
''' clear out the object '''
|
||||
|
||||
for x in __slots__:
|
||||
setattr(x, None)
|
||||
|
||||
# ==================================================================================
|
||||
# BASIC ACCESSORS
|
||||
|
||||
def get_name(self):
|
||||
''' return the name of the task '''
|
||||
if self._role:
|
||||
return "%s : %s" % (self._role.get_name(), self._name)
|
||||
else:
|
||||
return self._name
|
||||
|
||||
def _reset(self):
|
||||
''' clears internal data structures '''
|
||||
def __repr__(self):
|
||||
''' returns a human readable representation of the task '''
|
||||
return "TASK: %s" % self.get_name()
|
||||
|
||||
for k in self.VALID_KEYS:
|
||||
setattr(self, '_%s' % k, None)
|
||||
# FIXME: does a task have variables?
|
||||
def get_vars(self):
|
||||
''' return the variables associated with the task '''
|
||||
raise exception.NotImplementedError()
|
||||
|
||||
# attributes not set via the ds
|
||||
self._action = None
|
||||
self._module_name = None
|
||||
self._parameters = None
|
||||
self._lookup_plugin = None
|
||||
self._lookup_terms = None
|
||||
def get_role(self):
|
||||
'' return the role associated with the task '''
|
||||
return self._role
|
||||
|
||||
# special conditionals
|
||||
self._changed_when = Conditional(self)
|
||||
self._failed_when = Conditional(self)
|
||||
self._when = Conditional(self)
|
||||
def get_block(self):
|
||||
''' return the block the task is in '''
|
||||
return self._block
|
||||
|
||||
|
||||
# ==================================================================================
|
||||
# LOAD: functions related to walking the datastructure and storing data
|
||||
|
||||
def _load_parameters(data):
|
||||
''' sets the parameters for this task, based on the type of the data '''
|
||||
if isinstance(data, dict):
|
||||
self._parameters = data
|
||||
''' validate/transmogrify/assign any module parameters for this task '''
|
||||
|
||||
if isinstance(data, dict):
|
||||
return dict(_parameters=data)
|
||||
elif isinstance(data, basestring):
|
||||
self._parameters = utils.parse_kv(data)
|
||||
return dict(_parameters=utils.parse_kv(data))
|
||||
elif isinstance(data, None):
|
||||
self._parameters = ''
|
||||
return dict(_parameters='')
|
||||
else:
|
||||
raise AnsibleError("invalid arguments specified, got '%s' (type=%s')" % (data, type(data)))
|
||||
|
||||
def load(self, ds):
|
||||
''' parses and loads the task from the given datastructure '''
|
||||
def _load_action(self, ds, k, v):
|
||||
''' validate/transmogrify/assign the module and parameters if used in 'action/local_action' format '''
|
||||
|
||||
# reset everything internally
|
||||
self._reset()
|
||||
results = dict()
|
||||
module_name, params = v.strip().split(' ', 1)
|
||||
if module_name not in utils.plugins.module_finder:
|
||||
raise AnsibleError("the specified module '%s' could not be found, check your module path" % module_name)
|
||||
results['_module_name'] = module_name
|
||||
results['_parameters'] = utils.parse_kv(params)
|
||||
|
||||
# 'action' and 'local_action' are mutually-exclusive options
|
||||
if 'action' in ds and 'local_action' in ds:
|
||||
raise AnsibleError("the 'action' and 'local_action' attributes can not be used together")
|
||||
if k == 'local_action':
|
||||
if 'delegate_to' in ds:
|
||||
raise AnsibleError("delegate_to cannot be specified with local_action in task: %s" % ds.get('name', v))
|
||||
results['_delegate_to'] = '127.0.0.1'
|
||||
if not 'transport' in ds and not 'connection' in ds:
|
||||
results['_transport'] = 'local'
|
||||
return results
|
||||
|
||||
# iterate over each key/value in the datastructure to parse out its parameters.
|
||||
args = None
|
||||
def _load_module(self, ds, k, v):
|
||||
''' validate/transmogrify/assign the module and parameters if used in 'module:' format '''
|
||||
|
||||
results = dict()
|
||||
if self._module_name:
|
||||
raise AnsibleError("the module name (%s) was already specified, '%s' is a duplicate" % (self._module_name, k))
|
||||
elif 'action' in ds:
|
||||
raise AnsibleError("multiple actions specified in task: '%s' and '%s'" % (k, ds.get('name', ds['action'])))
|
||||
results['_module_name'] = k
|
||||
if isinstance(v, dict) and 'args' in ds:
|
||||
raise AnsibleError("can't combine args: and a dict for %s: in task %s" % (k, ds.get('name', "%s: %s" % (k, v))))
|
||||
results['_parameters'] = self._load_parameters(v)
|
||||
return results
|
||||
|
||||
def _load_loop(self, ds, k, v):
|
||||
''' validate/transmogrify/assign the module any loop directives that have valid action plugins as names '''
|
||||
|
||||
results = dict()
|
||||
if isinstance(v, basestring):
|
||||
param = v.strip()
|
||||
if (param.startswith('{{') and param.find('}}') == len(ds[x]) - 2 and param.find('|') == -1):
|
||||
utils.warning("It is unnecessary to use '{{' in loops, leave variables in loop expressions bare.")
|
||||
plugin_name = k.replace("with_","")
|
||||
if plugin_name in utils.plugins.lookup_loader:
|
||||
results['_lookup_plugin'] = plugin_name
|
||||
results['_lookup_terms'] = v
|
||||
else:
|
||||
raise errors.AnsibleError("cannot find lookup plugin named %s for usage in with_%s" % (plugin_name, plugin_name))
|
||||
return results
|
||||
|
||||
def _load_legacy_when(self, ds, k, v):
|
||||
''' yell about old when syntax being used still '''
|
||||
|
||||
utils.deprecated("The 'when_' conditional has been removed. Switch to using the regular unified 'when' statements as described on docs.ansible.com.","1.5", removed=True)
|
||||
if self._when:
|
||||
raise errors.AnsibleError("multiple when_* statements specified in task %s" % (ds.get('name', ds.get('action'))))
|
||||
when_name = k.replace("when_","")
|
||||
return dict(_when = "%s %s" % (when_name, v))
|
||||
|
||||
def _load_when(self, ds, k, v):
|
||||
''' validate/transmogrify/assign a conditional '''
|
||||
|
||||
conditionals = self._when.copy()
|
||||
conditionals.push(v)
|
||||
return dict(_when=conditionals)
|
||||
|
||||
def _load_changed_when(self, ds, k, v):
|
||||
''' validate/transmogrify/assign a changed_when conditional '''
|
||||
|
||||
conditionals = self._changed_when.copy()
|
||||
conditionals.push(v)
|
||||
return dict(_changed_when=conditionals)
|
||||
|
||||
def _load_failed_when(self, ds, k, v):
|
||||
''' validate/transmogrify/assign a failed_when conditional '''
|
||||
|
||||
conditionals = self._failed_when.copy()
|
||||
conditionals.push(v)
|
||||
return dict(_failed_when=conditionals)
|
||||
|
||||
# FIXME: move to BaseObject
|
||||
def _load_tags(self, ds, k, v):
|
||||
''' validate/transmogrify/assign any tags '''
|
||||
|
||||
new_tags = self.tags.copy()
|
||||
tags = v
|
||||
if isinstance(v, basestring):
|
||||
tags = v.split(',')
|
||||
new_tags.push(v)
|
||||
return dict(_tags=v)
|
||||
|
||||
def _load_invalid_key(self, ds, k, v):
|
||||
''' handle any key we do not recognize '''
|
||||
|
||||
raise AnsibleError("%s is not a legal parameter in an Ansible task or handler" % k)
|
||||
|
||||
def _load_other_valid_key(self, ds, k, v):
|
||||
''' handle any other attribute we DO recognize '''
|
||||
|
||||
results = dict()
|
||||
k = "_%s" % k
|
||||
results[k] = v
|
||||
return results
|
||||
|
||||
def _loader_for_key(self, k):
|
||||
''' based on the name of a datastructure element, find the code to handle it '''
|
||||
|
||||
if k in ('action', 'local_action'):
|
||||
return self._load_action
|
||||
elif k in utils.plugins.module_finder:
|
||||
return self._load_module
|
||||
elif k.startswith('with_'):
|
||||
return self._load_loop
|
||||
elif k == 'changed_when':
|
||||
return self._load_changed_when
|
||||
elif k == 'failed_when':
|
||||
return self._load_failed_when
|
||||
elif k == 'when':
|
||||
return self._load_when
|
||||
elif k == 'tags':
|
||||
return self._load_tags
|
||||
elif k not in self.VALID_KEYS:
|
||||
return self._load_invalid_key
|
||||
else:
|
||||
return self._load_other_valid_key
|
||||
|
||||
@classmethod
|
||||
def load(self, ds, block=None, role=None):
|
||||
''' walk the datastructure and store/validate parameters '''
|
||||
|
||||
self = Task(block=block, role=role)
|
||||
return self._load_from_datastructure(ds)
|
||||
|
||||
# TODO: move to BaseObject
|
||||
def _load_from_datastructure(ds)
|
||||
|
||||
self._pre_validate(ds)
|
||||
|
||||
# load the keys from the datastructure
|
||||
for k,v in ds.iteritems():
|
||||
if k in ('action', 'local_action'):
|
||||
# task structure is:
|
||||
# action: module_name k=v ...
|
||||
# or
|
||||
# local_action: module_name k=v ...
|
||||
module_name, params = v.strip().split(' ', 1)
|
||||
if module_name not in utils.plugins.module_finder:
|
||||
raise AnsibleError("the specified module '%s' could not be found, check your module path" % module_name)
|
||||
self._module_name = module_name
|
||||
self._parameters = utils.parse_kv(params)
|
||||
if k == 'local_action':
|
||||
if 'delegate_to' in ds:
|
||||
raise AnsibleError("delegate_to cannot be specified with local_action in task: %s" % ds.get('name', v))
|
||||
self._delegate_to = '127.0.0.1'
|
||||
if not 'transport' in ds and not 'connection' in ds:
|
||||
self._transport = 'local'
|
||||
elif k in utils.plugins.module_finder:
|
||||
# task structure is:
|
||||
# - module_name: k=v ...
|
||||
if self._module_name:
|
||||
raise AnsibleError("the module name (%s) was already specified, '%s' is a duplicate" % (self._module_name, k))
|
||||
elif 'action' in ds:
|
||||
raise AnsibleError("multiple actions specified in task: '%s' and '%s'" % (k, ds.get('name', ds['action'])))
|
||||
self._module_name = k
|
||||
if isinstance(v, dict) and 'args' in ds:
|
||||
raise AnsibleError("can't combine args: and a dict for %s: in task %s" % (k, ds.get('name', "%s: %s" % (k, v))))
|
||||
self._parameters = self._load_parameters(v)
|
||||
elif k == 'args':
|
||||
args = self._load_parameters(v)
|
||||
elif k.startswith('with_'):
|
||||
if isinstance(v, basestring):
|
||||
param = v.strip()
|
||||
if (param.startswith('{{') and param.find('}}') == len(ds[x]) - 2 and param.find('|') == -1):
|
||||
utils.warning("It is unnecessary to use '{{' in loops, leave variables in loop expressions bare.")
|
||||
plugin_name = k.replace("with_","")
|
||||
if plugin_name in utils.plugins.lookup_loader:
|
||||
self._lookup_plugin = plugin_name
|
||||
self._lookup_terms = v
|
||||
else:
|
||||
raise errors.AnsibleError("cannot find lookup plugin named %s for usage in with_%s" % (plugin_name, plugin_name))
|
||||
elif k.startswith('when_'):
|
||||
utils.deprecated("The 'when_' conditional has been removed. Switch to using the regular unified 'when' statements as described on docs.ansible.com.","1.5", removed=True)
|
||||
if self._when:
|
||||
raise errors.AnsibleError("multiple when_* statements specified in task %s" % (ds.get('name', ds.get('action'))))
|
||||
when_name = k.replace("when_","")
|
||||
self._when = "%s %s" % (when_name, v)
|
||||
elif k in ('changed_when', 'failed_when', 'when'):
|
||||
# these are conditional objects, so we push the new conditional value
|
||||
# into the object so that it can be evaluated later
|
||||
getattr(self, '_%s' % k).push(v)
|
||||
elif k == 'tags':
|
||||
# all taggable datastructures in Ansible (tasks, roles, etc.) are
|
||||
# based on the Base() class, which includes the _tags attribute
|
||||
# (which is a Tag() class)
|
||||
tags = v
|
||||
if isinstance(v, basestring):
|
||||
tags = v.split(',')
|
||||
self._tags.push(tags)
|
||||
elif k not in self.VALID_KEYS:
|
||||
raise AnsibleError("%s is not a legal parameter in an Ansible task or handler" % k)
|
||||
else:
|
||||
setattr(self, '_%s' % k, v)
|
||||
mods = self._loader_for_key(k)(k,v)
|
||||
if (k,v) in mods.iteritems():
|
||||
setattr(self,k,v)
|
||||
|
||||
# if args were specified along with parameters, merge them now
|
||||
# with the args taking lower precedence
|
||||
if args:
|
||||
self._parameters = utils.combine_vars(args, self._parameters)
|
||||
self._post_validate()
|
||||
return self
|
||||
|
||||
# ==================================================================================
|
||||
# PRE-VALIDATION - expected to be uncommonly used, this checks for arguments that
|
||||
# are aliases of each other. Most everything else should be in the LOAD block
|
||||
# or the POST-VALIDATE block.
|
||||
|
||||
# run validation
|
||||
self._validate()
|
||||
def _pre_validate(self, ds):
|
||||
''' rarely used function to see if the datastructure has items that mean the same thing '''
|
||||
|
||||
# finally, store the ds for later use/reference
|
||||
self._ds = ds
|
||||
if 'action' in ds and 'local_action' in ds:
|
||||
raise AnsibleError("the 'action' and 'local_action' attributes can not be used together")
|
||||
|
||||
def _validate(self):
|
||||
'''
|
||||
Validates internal datastructures and verifies mutually-exclusive
|
||||
options are not in conflict.
|
||||
'''
|
||||
# =================================================================================
|
||||
# POST-VALIDATION: checks for internal inconsistency between fields
|
||||
# validation can result in an error but also corrections
|
||||
|
||||
def _post_validate(self):
|
||||
''' is the loaded datastructure sane? '''
|
||||
|
||||
if not self._name:
|
||||
# if no name: was specified, flatten the parameters back
|
||||
# into a string and combine them with with module name
|
||||
flat_params = " ".join(["%s=%s" % (k,v) for k,v in self._parameters.iteritems()])
|
||||
self._name = "%s %s" % (self._module_name, flat_params)
|
||||
self._name = self._post_validate_fixed_name()
|
||||
|
||||
# use builtin _ensure* methods to massage/set values on attributes
|
||||
# anything not listed here will be defaulted to None by _reset()
|
||||
self._ensure_int("_async", 0)
|
||||
self._ensure_int("_poll", 10)
|
||||
self._ensure_bool("_ignore_errors", False)
|
||||
self._ensure_bool("_always_run", False)
|
||||
self._ensure_list_of_strings("_notify", [])
|
||||
# incompatible items
|
||||
self._validate_conflicting_su_and_sudo()
|
||||
self._validate_conflicting_first_available_file_and_loookup()
|
||||
|
||||
def _post_validate_fixed_name(self):
|
||||
'' construct a name for the task if no name was specified '''
|
||||
|
||||
# handle mutually incompatible options
|
||||
if (self._sudo or self._sudo_user or self._sudo_pass) and (self._su or self._su_user or self._su_pass):
|
||||
flat_params = " ".join(["%s=%s" % (k,v) for k,v in self._parameters.iteritems()])
|
||||
return = "%s %s" % (self._module_name, flat_params)
|
||||
|
||||
def _post_validate_conflicting_su_and_sudo(self):
|
||||
''' make sure su/sudo usage doesn't conflict '''
|
||||
|
||||
conflicting = (self._sudo or self._sudo_user or self._sudo_pass) and (self._su or self._su_user or self._su_pass):
|
||||
if conflicting:
|
||||
raise AnsibleError('sudo params ("sudo", "sudo_user", "sudo_pass") and su params ("su", "su_user", "su_pass") cannot be used together')
|
||||
|
||||
incompatibles = [ x for x in [ self._first_available_file, self._lookup_plugin ] if x is not None ]
|
||||
if len(incompatibles) > 1:
|
||||
def _post_validate_conflicting_first_available_file_and_lookup(self):
|
||||
''' first_available_file (deprecated) predates lookup plugins, and cannot be used with those kinds of loops '''
|
||||
|
||||
if self._first_available_file and self._lookup_plugin:
|
||||
raise AnsibleError("with_(plugin), and first_available_file are mutually incompatible in a single task")
|
||||
|
||||
@property
|
||||
def name(self):
|
||||
return self.__repr__()
|
||||
|
||||
def get_vars(self):
|
||||
return dict()
|
||||
|
||||
def get_role(self):
|
||||
return self.role
|
||||
|
||||
def get_block(self):
|
||||
return self.block
|
||||
|
||||
|
|
Loading…
Reference in a new issue