Example #1
0
    def import_policy_definition_list(self,
                                      policy_definition_list,
                                      update=False,
                                      push=False,
                                      check_mode=False,
                                      force=False):
        """Import Policy Definitions into vManage.  Object names are converted to IDs.

        Returns:
            response (dict): A list of all policy lists currently
                in vManage.

        """
        policy_definition_updates = []
        #pylint: disable=too-many-nested-blocks
        for definition in policy_definition_list:
            policy_definition_dict = self.policy_definitions.get_policy_definition_dict(
                definition['type'], remove_key=False)
            diff = []
            payload = {
                "name": definition['name'],
                "description": definition['description'],
                "type": definition['type'],
            }
            if 'defaultAction' in definition:
                payload.update({'defaultAction': definition['defaultAction']})
            if 'sequences' in definition:
                payload.update({'sequences': definition['sequences']})
            if 'definition' in definition:
                payload.update({'definition': definition['definition']})

            if definition['name'] in policy_definition_dict:
                existing_definition = self.convert_policy_definition_to_name(
                    policy_definition_dict[definition['name']])
                # Just check the things that we care about changing.
                diff_ignore = set([
                    'lastUpdated', 'definitionId', 'referenceCount',
                    'references', 'owner', 'isActivatedByVsmart', 'infoTag',
                    'activatedId'
                ])
                diff = list(
                    dictdiffer.diff(existing_definition,
                                    payload,
                                    ignore=diff_ignore))
                if diff:
                    converted_definition = self.convert_policy_definition_to_id(
                        definition)
                    policy_definition_updates.append({
                        'name':
                        converted_definition['name'],
                        'diff':
                        diff
                    })
                    if not check_mode and update:
                        response = self.policy_definitions.update_policy_definition(
                            converted_definition, policy_definition_dict[
                                converted_definition['name']]['definitionId'])

                        if response['json']:
                            # Updating the policy defin returns a `processId` that locks the list and 'masterTemplatesAffected'
                            # that lists the templates affected by the change.
                            if 'error' in response['json']:
                                raise RuntimeError(
                                    response['json']['error']['message'])
                            elif 'processId' in response['json']:
                                if push:
                                    vmanage_device_templates = DeviceTemplates(
                                        self.session, self.host)
                                    # If told to push out the change, we need to reattach each template affected by the change
                                    for template_id in response['json'][
                                            'masterTemplatesAffected']:
                                        obj = vmanage_device_templates.get_device_template_object(
                                            template_id)
                                        vmanage_device_templates.reattach_device_template(
                                            template_id, obj['configType'])
                            else:
                                raise RuntimeError(
                                    "Did not get a process id when updating policy definition"
                                )
            else:
                # Policy definition does not exist
                diff = list(dictdiffer.diff({}, payload))
                policy_definition_updates.append({
                    'name': definition['name'],
                    'diff': diff
                })
                converted_definition = self.convert_policy_definition_to_id(
                    definition)
                if not check_mode:
                    self.policy_definitions.add_policy_definition(
                        converted_definition)

        return policy_definition_updates
Example #2
0
class TemplateData(object):
    """Methods that deal with importing, exporting, and converting data from templates.


    """
    def __init__(self, session, host, port=443):
        """Initialize Templates Method object with session parameters.

        Args:
            session (obj): Requests Session object
            host (str): hostname or IP address of vManage
            port (int): default HTTPS 443

        """

        self.session = session
        self.host = host
        self.port = port
        self.base_url = f'https://{self.host}:{self.port}/dataservice/'
        self.device_templates = DeviceTemplates(self.session, self.host,
                                                self.port)
        self.feature_templates = FeatureTemplates(self.session, self.host,
                                                  self.port)

    def convert_device_template_to_name(self, device_template):
        """Convert a device template objects from IDs to Names.

        Args:
            device_template (dict): Device Template

        Returns:
            result (dict): Converted Device Template.
        """

        feature_template_dict = self.feature_templates.get_feature_template_dict(
            factory_default=True, key_name='templateId')

        if 'policyId' in device_template and device_template['policyId']:
            policy_id = device_template['policyId']
            vmanage_local_policy = LocalPolicy(self.session, self.host,
                                               self.port)
            local_policy_dict = vmanage_local_policy.get_local_policy_dict(
                key_name='policyId')
            if policy_id in list(local_policy_dict.keys()):
                device_template['policyName'] = local_policy_dict[policy_id][
                    'policyName']
            else:
                raise Exception(f"Could not find local policy {policy_id}")

        if 'securityPolicyId' in device_template and device_template[
                'securityPolicyId']:
            security_policy_id = device_template['securityPolicyId']
            vmanage_security_policy = SecurityPolicy(self.session, self.host,
                                                     self.port)
            security_policy_dict = vmanage_security_policy.get_security_policy_dict(
                key_name='policyId')
            if security_policy_id in list(security_policy_dict.keys()):
                device_template['securityPolicyName'] = security_policy_dict[
                    security_policy_id]['policyName']
            else:
                raise Exception(
                    f"Could not find security policy {security_policy_id}")

        if 'generalTemplates' in device_template:
            generalTemplates = []
            for old_template in device_template.pop('generalTemplates'):
                new_template = {
                    'templateName':
                    feature_template_dict[old_template['templateId']]
                    ['templateName'],
                    'templateType':
                    old_template['templateType']
                }
                if 'subTemplates' in old_template:
                    subTemplates = self.subTemplates_to_name(
                        old_template, feature_template_dict)
                    new_template['subTemplates'] = subTemplates
                generalTemplates.append(new_template)
            device_template['generalTemplates'] = generalTemplates

        return device_template

    def convert_device_template_to_id(self, device_template):
        """Convert a device template objects from Names to IDs.

        Args:
            device_template (dict): Device Template

        Returns:
            result (dict): Converted Device Template.
        """

        if 'policyName' in device_template:
            vmanage_local_policy = LocalPolicy(self.session, self.host,
                                               self.port)
            local_policy_dict = vmanage_local_policy.get_local_policy_dict(
                key_name='policyName')
            if device_template['policyName'] in local_policy_dict:
                device_template['policyId'] = local_policy_dict[
                    device_template['policyName']]['policyId']
                device_template.pop('policyName')
            else:
                raise Exception(
                    f"Could not find local policy {device_template['policyName']}"
                )
        else:
            device_template['policyId'] = ''

        if 'securityPolicyName' in device_template:
            vmanage_security_policy = SecurityPolicy(self.session, self.host,
                                                     self.port)
            security_policy_dict = vmanage_security_policy.get_security_policy_dict(
                key_name='policyName')
            if device_template['securityPolicyName'] in security_policy_dict:
                device_template['securityPolicyId'] = security_policy_dict[
                    device_template['securityPolicyName']]['policyId']
                device_template.pop('securityPolicyName')
            else:
                raise Exception(
                    f"Could not find security policy {device_template['securityPolicyName']}"
                )
        else:
            device_template['securityPolicyId'] = ''

        if 'generalTemplates' in device_template:
            device_template['generalTemplates'] = self.generalTemplates_to_id(
                device_template['generalTemplates'])

        return device_template

    def generalTemplates_to_id(self, generalTemplates):
        """Convert a generalTemplates object from Names to IDs.

        Args:
            generalTemplates (dict): generalTemplates object

        Returns:
            result (dict): Converted generalTemplates object.
        """

        converted_generalTemplates = []
        feature_template_dict = self.feature_templates.get_feature_template_dict(
            factory_default=True)
        for template in generalTemplates:
            if 'templateName' not in template:
                self.result['generalTemplates'] = generalTemplates
                self.fail_json(msg="Bad template")
            if template['templateName'] in feature_template_dict:
                template_item = {
                    'templateId':
                    feature_template_dict[template['templateName']]
                    ['templateId'],
                    'templateType':
                    template['templateType']
                }
                if 'subTemplates' in template:
                    subTemplates = self.subTemplates_to_id(
                        template, feature_template_dict)
                    template_item['subTemplates'] = subTemplates
                converted_generalTemplates.append(template_item)
            else:
                self.fail_json(
                    msg="There is no existing feature template named {0}".
                    format(template['templateName']))

        return converted_generalTemplates

    def import_feature_template_list(self,
                                     feature_template_list,
                                     check_mode=False,
                                     update=False):
        """Import a list of feature templates from list to vManage.  Object Names are converted to IDs.


        Args:
            feature_template_list (list): List of feature templates
            check_mode (bool): Only check to see if changes would be made
            update (bool): Update the template if it exists

        Returns:
            result (list): Returns the diffs of the updates.

        """
        # Process the feature templates
        feature_template_updates = []
        feature_template_dict = self.feature_templates.get_feature_template_dict(
            factory_default=True, remove_key=False)
        for feature_template in feature_template_list:
            if 'templateId' in feature_template:
                feature_template.pop('templateId')
            if feature_template['templateName'] in feature_template_dict:
                existing_template = feature_template_dict[
                    feature_template['templateName']]
                feature_template['templateId'] = existing_template[
                    'templateId']
                diff = list(
                    dictdiffer.diff(existing_template['templateDefinition'],
                                    feature_template['templateDefinition']))
                if len(diff):
                    feature_template_updates.append({
                        'name':
                        feature_template['templateName'],
                        'diff':
                        diff
                    })
                    if not check_mode and update:
                        self.feature_templates.update_feature_template(
                            feature_template)
            else:
                diff = list(
                    dictdiffer.diff({},
                                    feature_template['templateDefinition']))
                feature_template_updates.append({
                    'name':
                    feature_template['templateName'],
                    'diff':
                    diff
                })
                if not check_mode:
                    self.feature_templates.add_feature_template(
                        feature_template)

        return feature_template_updates

    def export_device_template_list(self,
                                    factory_default=False,
                                    name_list=None):
        """Export device templates from vManage into a list.  Object IDs are converted to Names.

        Args:
            factory_default (bool): Include factory default
            name_list (list of strings): A list of template names to retreive.

        Returns:
            result (dict): All data associated with a response.
        """
        if name_list is None:
            name_list = []
        device_template_list = self.device_templates.get_device_templates()
        return_list = []

        #pylint: disable=too-many-nested-blocks
        for device_template in device_template_list:
            # If there is a list of template name, only return the ones asked for.
            # Otherwise, return them all
            if name_list and device_template['templateName'] not in name_list:
                continue
            obj = self.device_templates.get_device_template_object(
                device_template['templateId'])
            if obj:
                if not factory_default and obj['factoryDefault']:
                    continue
                obj['templateId'] = device_template['templateId']

                # obj['attached_devices'] = self.get_template_attachments(device['templateId'])
                # obj['input'] = self.get_template_input(device['templateId'])
                converted_device_template = self.convert_device_template_to_name(
                    obj)
                return_list.append(converted_device_template)
        return return_list

    def import_device_template_list(self,
                                    device_template_list,
                                    check_mode=False,
                                    update=False):
        """Import a list of device templates from list to vManage.  Object Names are converted to IDs.


        Args:
            device_template_list (list): List of device templates
            check_mode (bool): Only check to see if changes would be made
            update (bool): Update the template if it exists

        Returns:
            result (list): Returns the diffs of the updates.

        """
        device_template_updates = []
        device_template_dict = self.device_templates.get_device_template_dict()
        diff = []
        for device_template in device_template_list:
            if 'policyId' in device_template:
                device_template.pop('policyId')
            if 'securityPolicyId' in device_template:
                device_template.pop('securityPolicyId')
            if device_template['templateName'] in device_template_dict:
                existing_template = self.convert_device_template_to_name(
                    device_template_dict[device_template['templateName']])
                device_template['templateId'] = existing_template['templateId']
                # Just check the things that we care about changing.
                diff_ignore = set([
                    'templateId', 'policyId', 'connectionPreferenceRequired',
                    'connectionPreference', 'templateName', 'attached_devices',
                    'input', 'securityPolicyId'
                ])
                diff = list(
                    dictdiffer.diff(existing_template,
                                    device_template,
                                    ignore=diff_ignore))
                if len(diff):
                    device_template_updates.append({
                        'name':
                        device_template['templateName'],
                        'diff':
                        diff
                    })
                    if not check_mode and update:
                        if not check_mode:
                            converted_device_template = self.convert_device_template_to_id(
                                device_template)
                            self.device_templates.update_device_template(
                                converted_device_template)
            else:
                if 'generalTemplates' in device_template:
                    diff = list(
                        dictdiffer.diff({},
                                        device_template['generalTemplates']))
                elif 'templateConfiguration' in device_template:
                    diff = list(
                        dictdiffer.diff(
                            {}, device_template['templateConfiguration']))
                else:
                    raise Exception("Template {0} is of unknown type".format(
                        device_template['templateName']))
                device_template_updates.append({
                    'name':
                    device_template['templateName'],
                    'diff':
                    diff
                })
                if not check_mode:
                    converted_device_template = self.convert_device_template_to_id(
                        device_template)
                    self.device_templates.add_device_template(
                        converted_device_template)

        return device_template_updates

    def import_attachment_list(self,
                               attachment_list,
                               check_mode=False,
                               update=False):
        """Import a list of device attachments to vManage.


        Args:
            attachment_list (list): List of attachments
            check_mode (bool): Only check to see if changes would be made
            update (bool): Update the template if it exists

        Returns:
            result (list): Returns the diffs of the updates.

        """
        attachment_updates = {}
        attachment_failures = {}
        action_id_list = []
        device_template_dict = self.device_templates.get_device_template_dict()
        vmanage_device = Device(self.session, self.host, self.port)
        for attachment in attachment_list:
            if attachment['template'] in device_template_dict:
                if attachment['device_type'] == 'vedge':
                    # The UUID is fixes from the serial file/upload
                    device_uuid = attachment['uuid']
                else:
                    # If this is not a vedge, we need to get the UUID from the vmanage since
                    # it is generated by that vmanage
                    device_status = vmanage_device.get_device_status(
                        attachment['host_name'], key='host-name')
                    if device_status:
                        device_uuid = device_status['uuid']
                    else:
                        raise Exception(
                            f"Cannot find UUID for {attachment['host_name']}")

                template_id = device_template_dict[
                    attachment['template']]['templateId']
                attached_uuid_list = self.device_templates.get_attachments(
                    template_id, key='uuid')
                if device_uuid in attached_uuid_list:
                    # The device is already attached to the template.  We need to see if any of
                    # the input changed, so we make an API call to get the input on last attach
                    existing_template_input = self.device_templates.get_template_input(
                        device_template_dict[attachment['template']]
                        ['templateId'], [device_uuid])
                    current_variables = existing_template_input['data'][0]
                    changed = False
                    for property_name in attachment['variables']:
                        # Check to see if any of the passed in varibles have changed from what is
                        # already on the attachment.  We are are not checking to see if the
                        # correct variables are here.  That will be done on attachment.
                        if ((property_name in current_variables) and
                            (str(attachment['variables'][property_name]) !=
                             str(current_variables[property_name]))):
                            changed = True
                    if changed:
                        if not check_mode and update:
                            action_id = self.device_templates.attach_to_template(
                                template_id, device_uuid,
                                attachment['system_ip'],
                                attachment['host_name'], attachment['site_id'],
                                attachment['variables'])
                            action_id_list.append(action_id)
                else:
                    if not check_mode:
                        action_id = self.device_templates.attach_to_template(
                            template_id, device_uuid, attachment['system_ip'],
                            attachment['host_name'], attachment['site_id'],
                            attachment['variables'])
                        action_id_list.append(action_id)
            else:
                raise Exception(f"No template named {attachment['template']}")

        utilities = Utilities(self.session, self.host)
        # Batch the waits so that the peocessing of the attachments is in parallel
        for action_id in action_id_list:
            result = utilities.waitfor_action_completion(action_id)
            data = result['action_response']['data'][0]
            if result['action_status'] == 'failure':
                attachment_failures.update(
                    {data['uuid']: data['currentActivity']})
            else:
                attachment_updates.update(
                    {data['uuid']: data['currentActivity']})

        result = {
            'updates': attachment_updates,
            'failures': attachment_failures
        }
        return result

    def subTemplates_to_name(self, old_template, feature_template_dict):
        """Convert a Sub Template objects from IDs to Names.

        Args:
            old_template (dict): a device template
            feature_template_dict (dict): dict of all the feature templates

        Returns:
            result (dict): Converted Device Template.
        """

        subTemplates = []
        for sub_template in old_template['subTemplates']:
            if 'subTemplates' in sub_template:
                subsubTemplates = []
                for sub_sub_template in sub_template['subTemplates']:
                    subsubTemplates.append({
                        'templateName':
                        feature_template_dict[sub_sub_template['templateId']]
                        ['templateName'],
                        'templateType':
                        sub_sub_template['templateType']
                    })
                subTemplates.append({
                    'templateName':
                    feature_template_dict[sub_template['templateId']]
                    ['templateName'],
                    'templateType':
                    sub_template['templateType'],
                    'subTemplates':
                    subsubTemplates
                })
            else:
                subTemplates.append({
                    'templateName':
                    feature_template_dict[sub_template['templateId']]
                    ['templateName'],
                    'templateType':
                    sub_template['templateType']
                })
        return (subTemplates)

    def subTemplates_to_id(self, template, feature_template_dict):
        """Convert a Sub Template objects from IDs to Names.

        Args:
            template (dict): a device template
            feature_template_dict (dict): dict of all the feature templates

        Returns:
            result (dict): Converted Device Template.
        """
        subTemplates = []
        for sub_template in template['subTemplates']:
            if sub_template[
                    'templateName'] in feature_template_dict and 'subTemplates' in sub_template:
                subsubTemplates = []
                for sub_sub_template in sub_template['subTemplates']:
                    if sub_sub_template[
                            'templateName'] in feature_template_dict:
                        subsubTemplates.append({
                            'templateId':
                            feature_template_dict[sub_sub_template[
                                'templateName']]['templateId'],
                            'templateType':
                            sub_sub_template['templateType']
                        })
                    else:
                        self.fail_json(
                            msg="There is no existing feature template named {0}"
                            .format(sub_sub_template['templateName']))
                subTemplates.append({
                    'templateId':
                    feature_template_dict[sub_template['templateName']]
                    ['templateId'],
                    'templateType':
                    sub_template['templateType'],
                    'subTemplates':
                    subsubTemplates
                })
            elif sub_template['templateName'] in feature_template_dict:
                subTemplates.append({
                    'templateId':
                    feature_template_dict[sub_template['templateName']]
                    ['templateId'],
                    'templateType':
                    sub_template['templateType']
                })
            else:
                self.fail_json(
                    msg="There is no existing feature template named {0}".
                    format(sub_template['templateName']))
        return (subTemplates)
Example #3
0
    def import_policy_list_list(self,
                                policy_list_list,
                                push=False,
                                update=False,
                                check_mode=False,
                                force=False):
        """Import a list of policyies lists into vManage.  Object Names are translated to IDs.

        Args:
            policy_list_list: A list of polcies
            push (bool): Whether to push a change out
            update (bool): Whether to update when the list exists
            check_mode (bool): Report what updates would happen, but don't update

        Returns:
            result (dict): All data associated with a response.

        """

        # Policy Lists
        diff = []
        policy_list_updates = []
        #pylint: disable=too-many-nested-blocks
        for policy_list in policy_list_list:
            policy_list_dict = self.policy_lists.get_policy_list_dict(
                policy_list['type'], remove_key=False, cache=False)
            if policy_list['name'] in policy_list_dict:
                existing_list = policy_list_dict[policy_list['name']]
                diff_ignore = set([
                    'listId', 'referenceCount', 'references', 'owner',
                    'lastUpdated', 'activatedId', 'policyId',
                    'isActivatedByVsmart'
                ])
                diff = list(
                    dictdiffer.diff(existing_list,
                                    policy_list,
                                    ignore=diff_ignore))
                if diff:
                    policy_list_updates.append({
                        'name': policy_list['name'],
                        'diff': diff
                    })
                    policy_list['listId'] = policy_list_dict[
                        policy_list['name']]['listId']
                    # If description is not specified, try to get it from the existing information
                    if not policy_list['description']:
                        policy_list['description'] = policy_list_dict[
                            policy_list['name']]['description']
                    if not check_mode and update:
                        response = self.policy_lists.update_policy_list(
                            policy_list)

                        if response['json']:
                            # Updating the policy list returns a `processId` that locks the list and 'masterTemplatesAffected'
                            # that lists the templates affected by the change.
                            if 'error' in response['json']:
                                raise RuntimeError(
                                    response['json']['error']['message'])
                            elif 'processId' in response['json']:
                                if push:
                                    vmanage_device_templates = DeviceTemplates(
                                        self.session, self.host)
                                    # If told to push out the change, we need to reattach each template affected by the change
                                    for template_id in response['json'][
                                            'masterTemplatesAffected']:
                                        obj = vmanage_device_templates.get_device_template_object(
                                            template_id)
                                        vmanage_device_templates.reattach_device_template(
                                            template_id, obj['configType'])
                            else:
                                raise RuntimeError(
                                    "Did not get a process id when updating policy list"
                                )
            else:
                diff = list(dictdiffer.diff({}, policy_list))
                policy_list_updates.append({
                    'name': policy_list['name'],
                    'diff': diff
                })
                if not check_mode:
                    self.policy_lists.add_policy_list(policy_list)

        return policy_list_updates