mirror of
				https://github.com/github/octodns.git
				synced 2024-05-11 05:55:00 +00:00 
			
		
		
		
	
		
			
				
	
	
		
			1529 lines
		
	
	
		
			56 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			1529 lines
		
	
	
		
			56 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
#
 | 
						|
#
 | 
						|
#
 | 
						|
 | 
						|
from __future__ import absolute_import, division, print_function, \
 | 
						|
    unicode_literals
 | 
						|
 | 
						|
from logging import getLogger
 | 
						|
from itertools import chain
 | 
						|
from collections import Mapping, OrderedDict, defaultdict
 | 
						|
from ns1 import NS1
 | 
						|
from ns1.rest.errors import RateLimitException, ResourceException
 | 
						|
from pycountry_convert import country_alpha2_to_continent_code
 | 
						|
from time import sleep
 | 
						|
from uuid import uuid4
 | 
						|
 | 
						|
from ..record import Record, Update
 | 
						|
from . import ProviderException
 | 
						|
from .base import BaseProvider
 | 
						|
 | 
						|
 | 
						|
def _ensure_endswith_dot(string):
 | 
						|
    return string if string.endswith('.') else f'{string}.'
 | 
						|
 | 
						|
 | 
						|
class Ns1Exception(ProviderException):
 | 
						|
    pass
 | 
						|
 | 
						|
 | 
						|
class Ns1Client(object):
 | 
						|
    log = getLogger('NS1Client')
 | 
						|
 | 
						|
    def __init__(self, api_key, parallelism=None, retry_count=4,
 | 
						|
                 client_config=None):
 | 
						|
        self.log.debug('__init__: parallelism=%s, retry_count=%d, '
 | 
						|
                       'client_config=%s', parallelism, retry_count,
 | 
						|
                       client_config)
 | 
						|
        self.retry_count = retry_count
 | 
						|
 | 
						|
        client = NS1(apiKey=api_key)
 | 
						|
 | 
						|
        # NS1 rate limits via a "token bucket" scheme, and provides information
 | 
						|
        # about rate limiting in headers on responses. Token bucket can be
 | 
						|
        # thought of as an initially "full" bucket, where, if not full, tokens
 | 
						|
        # are added at some rate. This allows "bursting" requests until the
 | 
						|
        # bucket is empty, after which, you are limited to the rate of token
 | 
						|
        # replenishment.
 | 
						|
        # There are a couple of "strategies" built into the SDK to avoid 429s
 | 
						|
        # from rate limiting. Since octodns operates concurrently via
 | 
						|
        # `max_workers`, a concurrent strategy seems appropriate.
 | 
						|
        # This strategy does nothing until the remaining requests are equal to
 | 
						|
        # or less than our `parallelism`, after which, each process will sleep
 | 
						|
        # for the token replenishment interval times parallelism.
 | 
						|
        # For example, if we can make 10 requests in 60 seconds, a token is
 | 
						|
        # replenished every 6 seconds. If parallelism is 3, we will burst 7
 | 
						|
        # requests, and subsequently each process will sleep for 18 seconds
 | 
						|
        # before making another request.
 | 
						|
        # In general, parallelism should match the number of workers.
 | 
						|
        if parallelism is not None:
 | 
						|
            client.config['rate_limit_strategy'] = 'concurrent'
 | 
						|
            client.config['parallelism'] = parallelism
 | 
						|
 | 
						|
        # The list of records for a zone is paginated at around ~2.5k records,
 | 
						|
        # this tells the client to handle any of that transparently and ensure
 | 
						|
        # we get the full list of records.
 | 
						|
        client.config['follow_pagination'] = True
 | 
						|
 | 
						|
        # additional options or overrides
 | 
						|
        if isinstance(client_config, Mapping):
 | 
						|
            for k, v in client_config.items():
 | 
						|
                client.config[k] = v
 | 
						|
 | 
						|
        self._client = client
 | 
						|
 | 
						|
        self._records = client.records()
 | 
						|
        self._zones = client.zones()
 | 
						|
        self._monitors = client.monitors()
 | 
						|
        self._notifylists = client.notifylists()
 | 
						|
        self._datasource = client.datasource()
 | 
						|
        self._datafeed = client.datafeed()
 | 
						|
 | 
						|
        self.reset_caches()
 | 
						|
 | 
						|
    def reset_caches(self):
 | 
						|
        self._datasource_id = None
 | 
						|
        self._feeds_for_monitors = None
 | 
						|
        self._monitors_cache = None
 | 
						|
        self._notifylists_cache = None
 | 
						|
        self._zones_cache = {}
 | 
						|
        self._records_cache = {}
 | 
						|
 | 
						|
    def update_record_cache(func):
 | 
						|
        def call(self, zone, domain, _type, **params):
 | 
						|
            if zone in self._zones_cache:
 | 
						|
                # remove record's zone from cache
 | 
						|
                del self._zones_cache[zone]
 | 
						|
 | 
						|
            cached = self._records_cache.setdefault(zone, {}) \
 | 
						|
                .setdefault(domain, {})
 | 
						|
 | 
						|
            if _type in cached:
 | 
						|
                # remove record from cache
 | 
						|
                del cached[_type]
 | 
						|
 | 
						|
            # write record to cache if its not a delete
 | 
						|
            new_record = func(self, zone, domain, _type, **params)
 | 
						|
            if new_record:
 | 
						|
                cached[_type] = new_record
 | 
						|
 | 
						|
            return new_record
 | 
						|
 | 
						|
        return call
 | 
						|
 | 
						|
    def read_or_set_record_cache(func):
 | 
						|
        def call(self, zone, domain, _type):
 | 
						|
            cached = self._records_cache.setdefault(zone, {}) \
 | 
						|
                .setdefault(domain, {})
 | 
						|
            if _type not in cached:
 | 
						|
                cached[_type] = func(self, zone, domain, _type)
 | 
						|
 | 
						|
            return cached[_type]
 | 
						|
 | 
						|
        return call
 | 
						|
 | 
						|
    @property
 | 
						|
    def datasource_id(self):
 | 
						|
        if self._datasource_id is None:
 | 
						|
            name = 'octoDNS NS1 Data Source'
 | 
						|
            source = None
 | 
						|
            for candidate in self.datasource_list():
 | 
						|
                if candidate['name'] == name:
 | 
						|
                    # Found it
 | 
						|
                    source = candidate
 | 
						|
                    break
 | 
						|
 | 
						|
            if source is None:
 | 
						|
                self.log.info('datasource_id: creating datasource %s', name)
 | 
						|
                # We need to create it
 | 
						|
                source = self.datasource_create(name=name,
 | 
						|
                                                sourcetype='nsone_monitoring')
 | 
						|
                self.log.info('datasource_id:   id=%s', source['id'])
 | 
						|
 | 
						|
            self._datasource_id = source['id']
 | 
						|
 | 
						|
        return self._datasource_id
 | 
						|
 | 
						|
    @property
 | 
						|
    def feeds_for_monitors(self):
 | 
						|
        if self._feeds_for_monitors is None:
 | 
						|
            self.log.debug('feeds_for_monitors: fetching & building')
 | 
						|
            self._feeds_for_monitors = {
 | 
						|
                f['config']['jobid']: f['id']
 | 
						|
                for f in self.datafeed_list(self.datasource_id)
 | 
						|
            }
 | 
						|
 | 
						|
        return self._feeds_for_monitors
 | 
						|
 | 
						|
    @property
 | 
						|
    def monitors(self):
 | 
						|
        if self._monitors_cache is None:
 | 
						|
            self.log.debug('monitors: fetching & building')
 | 
						|
            self._monitors_cache = \
 | 
						|
                {m['id']: m for m in self.monitors_list()}
 | 
						|
        return self._monitors_cache
 | 
						|
 | 
						|
    @property
 | 
						|
    def notifylists(self):
 | 
						|
        if self._notifylists_cache is None:
 | 
						|
            self.log.debug('notifylists: fetching & building')
 | 
						|
            self._notifylists_cache = \
 | 
						|
                {l['name']: l for l in self.notifylists_list()}
 | 
						|
        return self._notifylists_cache
 | 
						|
 | 
						|
    def datafeed_create(self, sourceid, name, config):
 | 
						|
        ret = self._try(self._datafeed.create, sourceid, name, config)
 | 
						|
        self.feeds_for_monitors[config['jobid']] = ret['id']
 | 
						|
        return ret
 | 
						|
 | 
						|
    def datafeed_delete(self, sourceid, feedid):
 | 
						|
        ret = self._try(self._datafeed.delete, sourceid, feedid)
 | 
						|
        self._feeds_for_monitors = {
 | 
						|
            k: v for k, v in self._feeds_for_monitors.items() if v != feedid
 | 
						|
        }
 | 
						|
        return ret
 | 
						|
 | 
						|
    def datafeed_list(self, sourceid):
 | 
						|
        return self._try(self._datafeed.list, sourceid)
 | 
						|
 | 
						|
    def datasource_create(self, **body):
 | 
						|
        return self._try(self._datasource.create, **body)
 | 
						|
 | 
						|
    def datasource_list(self):
 | 
						|
        return self._try(self._datasource.list)
 | 
						|
 | 
						|
    def monitors_create(self, **params):
 | 
						|
        body = {}
 | 
						|
        ret = self._try(self._monitors.create, body, **params)
 | 
						|
        self.monitors[ret['id']] = ret
 | 
						|
        return ret
 | 
						|
 | 
						|
    def monitors_delete(self, jobid):
 | 
						|
        ret = self._try(self._monitors.delete, jobid)
 | 
						|
        self.monitors.pop(jobid)
 | 
						|
        return ret
 | 
						|
 | 
						|
    def monitors_list(self):
 | 
						|
        return self._try(self._monitors.list)
 | 
						|
 | 
						|
    def monitors_update(self, job_id, **params):
 | 
						|
        body = {}
 | 
						|
        ret = self._try(self._monitors.update, job_id, body, **params)
 | 
						|
        self.monitors[ret['id']] = ret
 | 
						|
        return ret
 | 
						|
 | 
						|
    def notifylists_delete(self, nlid):
 | 
						|
        for name, nl in self.notifylists.items():
 | 
						|
            if nl['id'] == nlid:
 | 
						|
                del self._notifylists_cache[name]
 | 
						|
                break
 | 
						|
        return self._try(self._notifylists.delete, nlid)
 | 
						|
 | 
						|
    def notifylists_create(self, **body):
 | 
						|
        nl = self._try(self._notifylists.create, body)
 | 
						|
        # cache it
 | 
						|
        self.notifylists[nl['name']] = nl
 | 
						|
        return nl
 | 
						|
 | 
						|
    def notifylists_list(self):
 | 
						|
        return self._try(self._notifylists.list)
 | 
						|
 | 
						|
    @update_record_cache
 | 
						|
    def records_create(self, zone, domain, _type, **params):
 | 
						|
        return self._try(self._records.create, zone, domain, _type, **params)
 | 
						|
 | 
						|
    @update_record_cache
 | 
						|
    def records_delete(self, zone, domain, _type):
 | 
						|
        return self._try(self._records.delete, zone, domain, _type)
 | 
						|
 | 
						|
    @read_or_set_record_cache
 | 
						|
    def records_retrieve(self, zone, domain, _type):
 | 
						|
        return self._try(self._records.retrieve, zone, domain, _type)
 | 
						|
 | 
						|
    @update_record_cache
 | 
						|
    def records_update(self, zone, domain, _type, **params):
 | 
						|
        return self._try(self._records.update, zone, domain, _type, **params)
 | 
						|
 | 
						|
    def zones_create(self, name):
 | 
						|
        self._zones_cache[name] = self._try(self._zones.create, name)
 | 
						|
        return self._zones_cache[name]
 | 
						|
 | 
						|
    def zones_retrieve(self, name):
 | 
						|
        if name not in self._zones_cache:
 | 
						|
            self._zones_cache[name] = self._try(self._zones.retrieve, name)
 | 
						|
        return self._zones_cache[name]
 | 
						|
 | 
						|
    def _try(self, method, *args, **kwargs):
 | 
						|
        tries = self.retry_count
 | 
						|
        while True:  # We'll raise to break after our tries expire
 | 
						|
            try:
 | 
						|
                return method(*args, **kwargs)
 | 
						|
            except RateLimitException as e:
 | 
						|
                if tries <= 1:
 | 
						|
                    raise
 | 
						|
                period = float(e.period)
 | 
						|
                self.log.warn('rate limit encountered, pausing '
 | 
						|
                              'for %ds and trying again, %d remaining',
 | 
						|
                              period, tries)
 | 
						|
                sleep(period)
 | 
						|
                tries -= 1
 | 
						|
 | 
						|
 | 
						|
class Ns1Provider(BaseProvider):
 | 
						|
    '''
 | 
						|
    Ns1 provider
 | 
						|
 | 
						|
    ns1:
 | 
						|
        # Required
 | 
						|
        class: octodns.provider.ns1.Ns1Provider
 | 
						|
        api_key: env/NS1_API_KEY
 | 
						|
        # Only required if using dynamic records
 | 
						|
        monitor_regions:
 | 
						|
          - lga
 | 
						|
        # Optional. Default: false. true is Recommended, but not the default
 | 
						|
        # for backwards compatibility reasons. If true, all NS1 monitors will
 | 
						|
        # use a shared notify list rather than one per record & value
 | 
						|
        # combination. See CHANGELOG,
 | 
						|
        # https://github.com/octodns/octodns/blob/master/CHANGELOG.md, for more
 | 
						|
        # information before enabling this behavior.
 | 
						|
        shared_notifylist: false
 | 
						|
        # Optional. Default: None. If set, back off in advance to avoid 429s
 | 
						|
        # from rate-limiting. Generally this should be set to the number
 | 
						|
        # of processes or workers hitting the API, e.g. the value of
 | 
						|
        # `max_workers`.
 | 
						|
        parallelism: 11
 | 
						|
        # Optional. Default: 4. Number of times to retry if a 429 response
 | 
						|
        # is received.
 | 
						|
        retry_count: 4
 | 
						|
        # Optional. Default: None. Additional options or overrides passed to
 | 
						|
        # the NS1 SDK config, as key-value pairs.
 | 
						|
        client_config:
 | 
						|
            endpoint: my.nsone.endpoint # Default: api.nsone.net
 | 
						|
            ignore-ssl-errors: true     # Default: false
 | 
						|
            follow_pagination: false    # Default: true
 | 
						|
    '''
 | 
						|
    SUPPORTS_GEO = True
 | 
						|
    SUPPORTS_DYNAMIC = True
 | 
						|
    SUPPORTS_POOL_VALUE_STATUS = True
 | 
						|
    SUPPORTS_MULTIVALUE_PTR = True
 | 
						|
    SUPPORTS = set(('A', 'AAAA', 'ALIAS', 'CAA', 'CNAME', 'MX', 'NAPTR',
 | 
						|
                    'NS', 'PTR', 'SPF', 'SRV', 'TXT', 'URLFWD'))
 | 
						|
 | 
						|
    ZONE_NOT_FOUND_MESSAGE = 'server error: zone not found'
 | 
						|
    SHARED_NOTIFYLIST_NAME = 'octoDNS NS1 Notify List'
 | 
						|
 | 
						|
    def _update_filter(self, filter, with_disabled):
 | 
						|
        if with_disabled:
 | 
						|
            filter['disabled'] = False
 | 
						|
            return (dict(sorted(filter.items(), key=lambda t: t[0])))
 | 
						|
        return filter
 | 
						|
 | 
						|
    def _UP_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {},
 | 
						|
            'filter': 'up'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _REGION_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {
 | 
						|
                'remove_no_georegion': True
 | 
						|
            },
 | 
						|
            'filter': u'geofence_regional'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _COUNTRY_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {
 | 
						|
                'remove_no_location': True
 | 
						|
            },
 | 
						|
            'filter': u'geofence_country'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    # In the NS1 UI/portal, this filter is called "SELECT FIRST GROUP" though
 | 
						|
    # the filter name in the NS1 api is 'select_first_region'
 | 
						|
    def _SELECT_FIRST_REGION_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {},
 | 
						|
            'filter': u'select_first_region'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _PRIORITY_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {
 | 
						|
                'eliminate': u'1'
 | 
						|
            },
 | 
						|
            'filter': 'priority'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _WEIGHTED_SHUFFLE_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {},
 | 
						|
            'filter': u'weighted_shuffle'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _SELECT_FIRST_N_FILTER(self, with_disabled):
 | 
						|
        return self._update_filter({
 | 
						|
            'config': {
 | 
						|
                'N': u'1'
 | 
						|
            },
 | 
						|
            'filter': u'select_first_n'
 | 
						|
        }, with_disabled)
 | 
						|
 | 
						|
    def _BASIC_FILTER_CHAIN(self, with_disabled):
 | 
						|
        return [
 | 
						|
            self._UP_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_REGION_FILTER(with_disabled),
 | 
						|
            self._PRIORITY_FILTER(with_disabled),
 | 
						|
            self._WEIGHTED_SHUFFLE_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_N_FILTER(with_disabled)
 | 
						|
        ]
 | 
						|
 | 
						|
    def _FILTER_CHAIN_WITH_REGION(self, with_disabled):
 | 
						|
        return [
 | 
						|
            self._UP_FILTER(with_disabled),
 | 
						|
            self._REGION_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_REGION_FILTER(with_disabled),
 | 
						|
            self._PRIORITY_FILTER(with_disabled),
 | 
						|
            self._WEIGHTED_SHUFFLE_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_N_FILTER(with_disabled)
 | 
						|
        ]
 | 
						|
 | 
						|
    def _FILTER_CHAIN_WITH_COUNTRY(self, with_disabled):
 | 
						|
        return [
 | 
						|
            self._UP_FILTER(with_disabled),
 | 
						|
            self._COUNTRY_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_REGION_FILTER(with_disabled),
 | 
						|
            self._PRIORITY_FILTER(with_disabled),
 | 
						|
            self._WEIGHTED_SHUFFLE_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_N_FILTER(with_disabled)
 | 
						|
        ]
 | 
						|
 | 
						|
    def _FILTER_CHAIN_WITH_REGION_AND_COUNTRY(self, with_disabled):
 | 
						|
        return [
 | 
						|
            self._UP_FILTER(with_disabled),
 | 
						|
            self._REGION_FILTER(with_disabled),
 | 
						|
            self._COUNTRY_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_REGION_FILTER(with_disabled),
 | 
						|
            self._PRIORITY_FILTER(with_disabled),
 | 
						|
            self._WEIGHTED_SHUFFLE_FILTER(with_disabled),
 | 
						|
            self._SELECT_FIRST_N_FILTER(with_disabled)
 | 
						|
        ]
 | 
						|
 | 
						|
    _REGION_TO_CONTINENT = {
 | 
						|
        'AFRICA': 'AF',
 | 
						|
        'ASIAPAC': 'AS',
 | 
						|
        'EUROPE': 'EU',
 | 
						|
        'SOUTH-AMERICA': 'SA',
 | 
						|
        # continent NA has been handled as part of Geofence Country filter
 | 
						|
        # starting from v0.9.13. These below US-* just need to continue to
 | 
						|
        # exist here so it doesn't break the ugrade path
 | 
						|
        'US-CENTRAL': 'NA',
 | 
						|
        'US-EAST': 'NA',
 | 
						|
        'US-WEST': 'NA',
 | 
						|
    }
 | 
						|
    _CONTINENT_TO_REGIONS = {
 | 
						|
        'AF': ('AFRICA',),
 | 
						|
        'AS': ('ASIAPAC',),
 | 
						|
        'EU': ('EUROPE',),
 | 
						|
        'SA': ('SOUTH-AMERICA',),
 | 
						|
    }
 | 
						|
 | 
						|
    # Necessary for handling unsupported continents in _CONTINENT_TO_REGIONS
 | 
						|
    _CONTINENT_TO_LIST_OF_COUNTRIES = {
 | 
						|
        'OC': {'FJ', 'NC', 'PG', 'SB', 'VU', 'AU', 'NF', 'NZ', 'FM', 'GU',
 | 
						|
               'KI', 'MH', 'MP', 'NR', 'PW', 'AS', 'CK', 'NU', 'PF', 'PN',
 | 
						|
               'TK', 'TO', 'TV', 'WF', 'WS'},
 | 
						|
        'NA': {'DO', 'DM', 'BB', 'BL', 'BM', 'HT', 'KN', 'JM', 'VC', 'HN',
 | 
						|
               'BS', 'BZ', 'PR', 'NI', 'LC', 'TT', 'VG', 'PA', 'TC', 'PM',
 | 
						|
               'GT', 'AG', 'GP', 'AI', 'VI', 'CA', 'GD', 'AW', 'CR', 'GL',
 | 
						|
               'CU', 'MF', 'SV', 'US', 'MQ', 'MS', 'KY', 'MX', 'CW', 'BQ',
 | 
						|
               'SX', 'UM'}
 | 
						|
    }
 | 
						|
 | 
						|
    def __init__(self, id, api_key, retry_count=4, monitor_regions=None,
 | 
						|
                 parallelism=None, client_config=None, shared_notifylist=False,
 | 
						|
                 *args, **kwargs):
 | 
						|
        self.log = getLogger(f'Ns1Provider[{id}]')
 | 
						|
        self.log.debug('__init__: id=%s, api_key=***, retry_count=%d, '
 | 
						|
                       'monitor_regions=%s, parallelism=%s, client_config=%s',
 | 
						|
                       id, retry_count, monitor_regions, parallelism,
 | 
						|
                       client_config)
 | 
						|
        super(Ns1Provider, self).__init__(id, *args, **kwargs)
 | 
						|
        self.monitor_regions = monitor_regions
 | 
						|
        self.shared_notifylist = shared_notifylist
 | 
						|
        self._client = Ns1Client(api_key, parallelism, retry_count,
 | 
						|
                                 client_config)
 | 
						|
 | 
						|
    def _valid_filter_config(self, filter_cfg, domain):
 | 
						|
        with_disabled = self._disabled_flag_in_filters(filter_cfg, domain)
 | 
						|
        has_region = self._REGION_FILTER(with_disabled) in filter_cfg
 | 
						|
        has_country = self._COUNTRY_FILTER(with_disabled) in filter_cfg
 | 
						|
        expected_filter_cfg = self._get_updated_filter_chain(has_region,
 | 
						|
                                                             has_country,
 | 
						|
                                                             with_disabled)
 | 
						|
        return filter_cfg == expected_filter_cfg
 | 
						|
 | 
						|
    def _get_updated_filter_chain(self, has_region, has_country,
 | 
						|
                                  with_disabled=True):
 | 
						|
        if has_region and has_country:
 | 
						|
            filter_chain = self._FILTER_CHAIN_WITH_REGION_AND_COUNTRY(
 | 
						|
                with_disabled)
 | 
						|
        elif has_region:
 | 
						|
            filter_chain = self._FILTER_CHAIN_WITH_REGION(with_disabled)
 | 
						|
        elif has_country:
 | 
						|
            filter_chain = self._FILTER_CHAIN_WITH_COUNTRY(with_disabled)
 | 
						|
        else:
 | 
						|
            filter_chain = self._BASIC_FILTER_CHAIN(with_disabled)
 | 
						|
 | 
						|
        return filter_chain
 | 
						|
 | 
						|
    def _encode_notes(self, data):
 | 
						|
        return ' '.join([f'{k}:{v}' for k, v in sorted(data.items())])
 | 
						|
 | 
						|
    def _parse_notes(self, note):
 | 
						|
        data = {}
 | 
						|
        if note:
 | 
						|
            for piece in note.split(' '):
 | 
						|
                try:
 | 
						|
                    k, v = piece.split(':', 1)
 | 
						|
                    data[k] = v if v != '' else None
 | 
						|
                except ValueError:
 | 
						|
                    pass
 | 
						|
        return data
 | 
						|
 | 
						|
    def _data_for_geo_A(self, _type, record):
 | 
						|
        # record meta (which would include geo information is only
 | 
						|
        # returned when getting a record's detail, not from zone detail
 | 
						|
        geo = defaultdict(list)
 | 
						|
        data = {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
        }
 | 
						|
        values, codes = [], []
 | 
						|
        for answer in record.get('answers', []):
 | 
						|
            meta = answer.get('meta', {})
 | 
						|
            if meta:
 | 
						|
                # country + state and country + province are allowed
 | 
						|
                # in that case though, supplying a state/province would
 | 
						|
                # be redundant since the country would supercede in when
 | 
						|
                # resolving the record.  it is syntactically valid, however.
 | 
						|
                country = meta.get('country', [])
 | 
						|
                us_state = meta.get('us_state', [])
 | 
						|
                ca_province = meta.get('ca_province', [])
 | 
						|
                for cntry in country:
 | 
						|
                    con = country_alpha2_to_continent_code(cntry)
 | 
						|
                    key = f'{con}-{cntry}'
 | 
						|
                    geo[key].extend(answer['answer'])
 | 
						|
                for state in us_state:
 | 
						|
                    key = f'NA-US-{state}'
 | 
						|
                    geo[key].extend(answer['answer'])
 | 
						|
                for province in ca_province:
 | 
						|
                    key = f'NA-CA-{province}'
 | 
						|
                    geo[key].extend(answer['answer'])
 | 
						|
                for code in meta.get('iso_region_code', []):
 | 
						|
                    key = code
 | 
						|
                    geo[key].extend(answer['answer'])
 | 
						|
            else:
 | 
						|
                values.extend(answer['answer'])
 | 
						|
                codes.append([])
 | 
						|
        values = [str(x) for x in values]
 | 
						|
        geo = OrderedDict(
 | 
						|
            {str(k): [str(x) for x in v] for k, v in geo.items()}
 | 
						|
        )
 | 
						|
        data['values'] = values
 | 
						|
        data['geo'] = geo
 | 
						|
        return data
 | 
						|
 | 
						|
    def _parse_dynamic_pool_name(self, pool_name):
 | 
						|
        if pool_name.startswith('catchall__'):
 | 
						|
            # Special case for the old-style catchall prefix
 | 
						|
            return pool_name[10:]
 | 
						|
        try:
 | 
						|
            pool_name, _ = pool_name.rsplit('__', 1)
 | 
						|
        except ValueError:
 | 
						|
            pass
 | 
						|
        return pool_name
 | 
						|
 | 
						|
    def _data_for_dynamic(self, _type, record):
 | 
						|
        # First make sure we have the expected filters config
 | 
						|
        if not self._valid_filter_config(record['filters'], record['domain']):
 | 
						|
            self.log.error('_data_for_dynamic: %s %s has unsupported '
 | 
						|
                           'filters', record['domain'], _type)
 | 
						|
            raise Ns1Exception('Unrecognized advanced record')
 | 
						|
 | 
						|
        # All regions (pools) will include the list of default values
 | 
						|
        # (eventually) at higher priorities, we'll just add them to this set to
 | 
						|
        # we'll have the complete collection.
 | 
						|
        default = set()
 | 
						|
        # Fill out the pools by walking the answers and looking at their
 | 
						|
        # region.
 | 
						|
        pools = defaultdict(lambda: {'fallback': None, 'values': []})
 | 
						|
        for answer in record['answers']:
 | 
						|
            meta = answer['meta']
 | 
						|
            notes = self._parse_notes(meta.get('note', ''))
 | 
						|
 | 
						|
            value = str(answer['answer'][0])
 | 
						|
            if notes.get('from', False) == '--default--':
 | 
						|
                # It's a final/default value, record it and move on
 | 
						|
                default.add(value)
 | 
						|
                continue
 | 
						|
 | 
						|
            # NS1 pool names can be found in notes > v0.9.11, in order to allow
 | 
						|
            # us to find fallback-only pools/values. Before that we used
 | 
						|
            # `region` (group name in the UI) and only paid attention to
 | 
						|
            # priority=1 (first level)
 | 
						|
            notes_pool_name = notes.get('pool', None)
 | 
						|
            if notes_pool_name is None:
 | 
						|
                # < v0.9.11
 | 
						|
                if meta['priority'] != 1:
 | 
						|
                    # Ignore all but priority 1
 | 
						|
                    continue
 | 
						|
                # And use region's pool name as the pool name
 | 
						|
                pool_name = self._parse_dynamic_pool_name(answer['region'])
 | 
						|
            else:
 | 
						|
                # > v0.9.11, use the notes-based name and consider all values
 | 
						|
                pool_name = notes_pool_name
 | 
						|
 | 
						|
            pool = pools[pool_name]
 | 
						|
            value_dict = {
 | 
						|
                'value': value,
 | 
						|
                'weight': int(meta.get('weight', 1)),
 | 
						|
            }
 | 
						|
            if isinstance(meta['up'], bool):
 | 
						|
                value_dict['status'] = 'up' if meta['up'] else 'down'
 | 
						|
 | 
						|
            if value_dict not in pool['values']:
 | 
						|
                # If we haven't seen this value before add it to the pool
 | 
						|
                pool['values'].append(value_dict)
 | 
						|
 | 
						|
            # If there's a fallback recorded in the value for its pool go ahead
 | 
						|
            # and use it, another v0.9.11 thing
 | 
						|
            fallback = notes.get('fallback', None)
 | 
						|
            if fallback is not None:
 | 
						|
                pool['fallback'] = fallback
 | 
						|
 | 
						|
        # The regions objects map to rules, but it's a bit fuzzy since they're
 | 
						|
        # tied to pools on the NS1 side, e.g. we can only have 1 rule per pool,
 | 
						|
        # that may eventually run into problems, but I don't have any use-cases
 | 
						|
        # examples currently where it would
 | 
						|
        rules = {}
 | 
						|
        for pool_name, region in sorted(record['regions'].items()):
 | 
						|
            # Get the actual pool name by removing the type
 | 
						|
            pool_name = self._parse_dynamic_pool_name(pool_name)
 | 
						|
 | 
						|
            meta = region['meta']
 | 
						|
            notes = self._parse_notes(meta.get('note', ''))
 | 
						|
 | 
						|
            rule_order = notes['rule-order']
 | 
						|
            try:
 | 
						|
                rule = rules[rule_order]
 | 
						|
            except KeyError:
 | 
						|
                rule = {
 | 
						|
                    'pool': pool_name,
 | 
						|
                    '_order': rule_order,
 | 
						|
                }
 | 
						|
                rules[rule_order] = rule
 | 
						|
 | 
						|
            # The group notes field in the UI is a `note` on the region here,
 | 
						|
            # that's where we can find our pool's fallback in < v0.9.11 anyway
 | 
						|
            if 'fallback' in notes:
 | 
						|
                # set the fallback pool name
 | 
						|
                pools[pool_name]['fallback'] = notes['fallback']
 | 
						|
 | 
						|
            geos = set()
 | 
						|
 | 
						|
            for georegion in meta.get('georegion', []):
 | 
						|
                geos.add(self._REGION_TO_CONTINENT[georegion])
 | 
						|
 | 
						|
            # Countries are easy enough to map, we just have to find their
 | 
						|
            # continent
 | 
						|
            #
 | 
						|
            # NOTE: Some continents need special handling since NS1
 | 
						|
            # does not supprt them as regions. These are defined under
 | 
						|
            # _CONTINENT_TO_LIST_OF_COUNTRIES. So the countries for these
 | 
						|
            # regions will be present in meta['country']. If all the countries
 | 
						|
            # in _CONTINENT_TO_LIST_OF_COUNTRIES[<region>] list are found,
 | 
						|
            # set the continent as the region and remove individual countries
 | 
						|
 | 
						|
            special_continents = dict()
 | 
						|
            for country in meta.get('country', []):
 | 
						|
                # country_alpha2_to_continent_code fails for Pitcairn ('PN'),
 | 
						|
                # United States Minor Outlying Islands ('UM') and
 | 
						|
                # Sint Maarten ('SX')
 | 
						|
                if country == 'PN':
 | 
						|
                    con = 'OC'
 | 
						|
                elif country in ['SX', 'UM']:
 | 
						|
                    con = 'NA'
 | 
						|
                else:
 | 
						|
                    con = country_alpha2_to_continent_code(country)
 | 
						|
 | 
						|
                if con in self._CONTINENT_TO_LIST_OF_COUNTRIES:
 | 
						|
                    special_continents.setdefault(con, set()).add(country)
 | 
						|
                else:
 | 
						|
                    geos.add(f'{con}-{country}')
 | 
						|
 | 
						|
            for continent, countries in special_continents.items():
 | 
						|
                if countries == self._CONTINENT_TO_LIST_OF_COUNTRIES[
 | 
						|
                        continent]:
 | 
						|
                    # All countries found, so add it to geos
 | 
						|
                    geos.add(continent)
 | 
						|
                else:
 | 
						|
                    # Partial countries found, so just add them as-is to geos
 | 
						|
                    for c in countries:
 | 
						|
                        geos.add(f'{continent}-{c}')
 | 
						|
 | 
						|
            # States and provinces are easy too,
 | 
						|
            # just assume NA-US or NA-CA
 | 
						|
            for state in meta.get('us_state', []):
 | 
						|
                geos.add(f'NA-US-{state}')
 | 
						|
 | 
						|
            for province in meta.get('ca_province', []):
 | 
						|
                geos.add(f'NA-CA-{province}')
 | 
						|
 | 
						|
            if geos:
 | 
						|
                # There are geos, combine them with any existing geos for this
 | 
						|
                # pool and recorded the sorted unique set of them
 | 
						|
                rule['geos'] = sorted(set(rule.get('geos', [])) | geos)
 | 
						|
 | 
						|
        # Order and convert to a list
 | 
						|
        default = sorted(default)
 | 
						|
        # Convert to list and order
 | 
						|
        rules = list(rules.values())
 | 
						|
        rules.sort(key=lambda r: (r['_order'], r['pool']))
 | 
						|
 | 
						|
        data = {
 | 
						|
            'dynamic': {
 | 
						|
                'pools': pools,
 | 
						|
                'rules': rules,
 | 
						|
            },
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
        }
 | 
						|
 | 
						|
        if _type == 'CNAME':
 | 
						|
            data['value'] = default[0]
 | 
						|
        else:
 | 
						|
            data['values'] = default
 | 
						|
 | 
						|
        return data
 | 
						|
 | 
						|
    def _data_for_A(self, _type, record):
 | 
						|
        if record.get('tier', 1) > 1:
 | 
						|
            # Advanced record, see if it's first answer has a note
 | 
						|
            try:
 | 
						|
                first_answer_note = record['answers'][0]['meta']['note']
 | 
						|
            except (IndexError, KeyError):
 | 
						|
                first_answer_note = ''
 | 
						|
            # If that note includes a `from` (pool name) it's a dynamic record
 | 
						|
            if 'from:' in first_answer_note:
 | 
						|
                return self._data_for_dynamic(_type, record)
 | 
						|
            # If not it's an old geo record
 | 
						|
            return self._data_for_geo_A(_type, record)
 | 
						|
 | 
						|
        # This is a basic record, just convert it
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': [str(x) for x in record['short_answers']]
 | 
						|
        }
 | 
						|
 | 
						|
    _data_for_AAAA = _data_for_A
 | 
						|
 | 
						|
    def _data_for_SPF(self, _type, record):
 | 
						|
        values = [v.replace(';', '\\;') for v in record['short_answers']]
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values
 | 
						|
        }
 | 
						|
 | 
						|
    _data_for_TXT = _data_for_SPF
 | 
						|
 | 
						|
    def _data_for_CAA(self, _type, record):
 | 
						|
        values = []
 | 
						|
        for answer in record['short_answers']:
 | 
						|
            flags, tag, value = answer.split(' ', 2)
 | 
						|
            values.append({
 | 
						|
                'flags': flags,
 | 
						|
                'tag': tag,
 | 
						|
                'value': value,
 | 
						|
            })
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values,
 | 
						|
        }
 | 
						|
 | 
						|
    def _data_for_CNAME(self, _type, record):
 | 
						|
        if record.get('tier', 1) > 1:
 | 
						|
            # Advanced dynamic record
 | 
						|
            return self._data_for_dynamic(_type, record)
 | 
						|
 | 
						|
        try:
 | 
						|
            value = record['short_answers'][0]
 | 
						|
        except IndexError:
 | 
						|
            value = None
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'value': value,
 | 
						|
        }
 | 
						|
 | 
						|
    _data_for_ALIAS = _data_for_CNAME
 | 
						|
 | 
						|
    def _data_for_MX(self, _type, record):
 | 
						|
        values = []
 | 
						|
        for answer in record['short_answers']:
 | 
						|
            preference, exchange = answer.split(' ', 1)
 | 
						|
            values.append({
 | 
						|
                'preference': preference,
 | 
						|
                'exchange': exchange,
 | 
						|
            })
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values,
 | 
						|
        }
 | 
						|
 | 
						|
    def _data_for_NAPTR(self, _type, record):
 | 
						|
        values = []
 | 
						|
        for answer in record['short_answers']:
 | 
						|
            order, preference, flags, service, regexp, replacement = \
 | 
						|
                answer.split(' ', 5)
 | 
						|
            values.append({
 | 
						|
                'flags': flags,
 | 
						|
                'order': order,
 | 
						|
                'preference': preference,
 | 
						|
                'regexp': regexp,
 | 
						|
                'replacement': replacement,
 | 
						|
                'service': service,
 | 
						|
            })
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values,
 | 
						|
        }
 | 
						|
 | 
						|
    def _data_for_NS(self, _type, record):
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': record['short_answers'],
 | 
						|
        }
 | 
						|
 | 
						|
    _data_for_PTR = _data_for_NS
 | 
						|
 | 
						|
    def _data_for_SRV(self, _type, record):
 | 
						|
        values = []
 | 
						|
        for answer in record['short_answers']:
 | 
						|
            priority, weight, port, target = answer.split(' ', 3)
 | 
						|
            values.append({
 | 
						|
                'priority': priority,
 | 
						|
                'weight': weight,
 | 
						|
                'port': port,
 | 
						|
                'target': target,
 | 
						|
            })
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values,
 | 
						|
        }
 | 
						|
 | 
						|
    def _data_for_URLFWD(self, _type, record):
 | 
						|
        values = []
 | 
						|
        for answer in record['short_answers']:
 | 
						|
            path, target, code, masking, query  = answer.split(' ', 4)
 | 
						|
            values.append({
 | 
						|
                'path': path,
 | 
						|
                'target': target,
 | 
						|
                'code': code,
 | 
						|
                'masking': masking,
 | 
						|
                'query': query,
 | 
						|
            })
 | 
						|
        return {
 | 
						|
            'ttl': record['ttl'],
 | 
						|
            'type': _type,
 | 
						|
            'values': values,
 | 
						|
        }
 | 
						|
 | 
						|
    def populate(self, zone, target=False, lenient=False):
 | 
						|
        self.log.debug('populate: name=%s, target=%s, lenient=%s',
 | 
						|
                       zone.name,
 | 
						|
                       target, lenient)
 | 
						|
 | 
						|
        try:
 | 
						|
            ns1_zone_name = zone.name[:-1]
 | 
						|
            ns1_zone = self._client.zones_retrieve(ns1_zone_name)
 | 
						|
 | 
						|
            records = []
 | 
						|
            geo_records = []
 | 
						|
 | 
						|
            # change answers for certain types to always be absolute
 | 
						|
            for record in ns1_zone['records']:
 | 
						|
                if record['type'] in ['ALIAS', 'CNAME', 'MX', 'NS', 'PTR',
 | 
						|
                                      'SRV']:
 | 
						|
                    record['short_answers'] = [
 | 
						|
                        _ensure_endswith_dot(a)
 | 
						|
                        for a in record['short_answers']
 | 
						|
                    ]
 | 
						|
 | 
						|
                if record.get('tier', 1) > 1:
 | 
						|
                    # Need to get the full record data for geo records
 | 
						|
                    record = self._client.records_retrieve(ns1_zone_name,
 | 
						|
                                                           record['domain'],
 | 
						|
                                                           record['type'])
 | 
						|
                    geo_records.append(record)
 | 
						|
                else:
 | 
						|
                    records.append(record)
 | 
						|
 | 
						|
            exists = True
 | 
						|
        except ResourceException as e:
 | 
						|
            if e.message != self.ZONE_NOT_FOUND_MESSAGE:
 | 
						|
                raise
 | 
						|
            records = []
 | 
						|
            geo_records = []
 | 
						|
            exists = False
 | 
						|
 | 
						|
        before = len(zone.records)
 | 
						|
        # geo information isn't returned from the main endpoint, so we need
 | 
						|
        # to query for all records with geo information
 | 
						|
        zone_hash = {}
 | 
						|
        for record in chain(records, geo_records):
 | 
						|
            _type = record['type']
 | 
						|
            if _type not in self.SUPPORTS:
 | 
						|
                continue
 | 
						|
            data_for = getattr(self, f'_data_for_{_type}')
 | 
						|
            name = zone.hostname_from_fqdn(record['domain'])
 | 
						|
            data = data_for(_type, record)
 | 
						|
            record = Record.new(zone, name, data, source=self, lenient=lenient)
 | 
						|
            zone_hash[(_type, name)] = record
 | 
						|
        [zone.add_record(r, lenient=lenient) for r in zone_hash.values()]
 | 
						|
        self.log.info('populate:   found %s records, exists=%s',
 | 
						|
                      len(zone.records) - before, exists)
 | 
						|
        return exists
 | 
						|
 | 
						|
    def _params_for_geo_A(self, record):
 | 
						|
        # purposefully set non-geo answers to have an empty meta,
 | 
						|
        # so that we know we did this on purpose if/when troubleshooting
 | 
						|
        params = {
 | 
						|
            'answers': [{"answer": [x], "meta": {}} for x in record.values],
 | 
						|
            'ttl': record.ttl,
 | 
						|
        }
 | 
						|
 | 
						|
        has_country = False
 | 
						|
        for iso_region, target in record.geo.items():
 | 
						|
            key = 'iso_region_code'
 | 
						|
            value = iso_region
 | 
						|
            if not has_country and len(value.split('-')) > 1:
 | 
						|
                has_country = True
 | 
						|
            for answer in target.values:
 | 
						|
                params['answers'].append(
 | 
						|
                    {
 | 
						|
                        'answer': [answer],
 | 
						|
                        'meta': {key: [value]},
 | 
						|
                    },
 | 
						|
                )
 | 
						|
 | 
						|
        params['filters'] = []
 | 
						|
        if has_country:
 | 
						|
            params['filters'].append(
 | 
						|
                {"filter": "shuffle", "config": {}}
 | 
						|
            )
 | 
						|
            params['filters'].append(
 | 
						|
                {"filter": "geotarget_country", "config": {}}
 | 
						|
            )
 | 
						|
            params['filters'].append(
 | 
						|
                {"filter": "select_first_n",
 | 
						|
                 "config": {"N": 1}}
 | 
						|
            )
 | 
						|
 | 
						|
        return params, None
 | 
						|
 | 
						|
    def _monitors_for(self, record):
 | 
						|
        monitors = {}
 | 
						|
 | 
						|
        if getattr(record, 'dynamic', False):
 | 
						|
            expected_host = record.fqdn[:-1]
 | 
						|
            expected_type = record._type
 | 
						|
 | 
						|
            for monitor in self._client.monitors.values():
 | 
						|
                data = self._parse_notes(monitor['notes'])
 | 
						|
                if not data:
 | 
						|
                    continue
 | 
						|
                if expected_host == data['host'] and \
 | 
						|
                   expected_type == data['type']:
 | 
						|
                    # This monitor does not belong to this record
 | 
						|
                    config = monitor['config']
 | 
						|
                    value = config['host']
 | 
						|
                    if record._type == 'CNAME':
 | 
						|
                        # Append a trailing dot for CNAME records so that
 | 
						|
                        # lookup by a CNAME answer works
 | 
						|
                        value = value + '.'
 | 
						|
                    monitors[value] = monitor
 | 
						|
 | 
						|
        return monitors
 | 
						|
 | 
						|
    def _uuid(self):
 | 
						|
        return uuid4().hex
 | 
						|
 | 
						|
    def _feed_create(self, monitor):
 | 
						|
        monitor_id = monitor['id']
 | 
						|
        self.log.debug('_feed_create: monitor=%s', monitor_id)
 | 
						|
        name = f'{monitor["name"]} - {self._uuid()[:6]}'
 | 
						|
 | 
						|
        # Create the data feed
 | 
						|
        config = {
 | 
						|
            'jobid': monitor_id,
 | 
						|
        }
 | 
						|
        feed = self._client.datafeed_create(self._client.datasource_id, name,
 | 
						|
                                            config)
 | 
						|
        feed_id = feed['id']
 | 
						|
        self.log.debug('_feed_create:   feed=%s', feed_id)
 | 
						|
 | 
						|
        return feed_id
 | 
						|
 | 
						|
    def _notifylists_find_or_create(self, name):
 | 
						|
        self.log.debug('_notifylists_find_or_create: name="%s"', name)
 | 
						|
        try:
 | 
						|
            nl = self._client.notifylists[name]
 | 
						|
            self.log.debug('_notifylists_find_or_create:   existing=%s',
 | 
						|
                           nl['id'])
 | 
						|
        except KeyError:
 | 
						|
            notify_list = [{
 | 
						|
                'config': {
 | 
						|
                    'sourceid': self._client.datasource_id,
 | 
						|
                },
 | 
						|
                'type': 'datafeed',
 | 
						|
            }]
 | 
						|
            nl = self._client.notifylists_create(name=name,
 | 
						|
                                                 notify_list=notify_list)
 | 
						|
            self.log.debug('_notifylists_find_or_create:   created=%s',
 | 
						|
                           nl['id'])
 | 
						|
 | 
						|
        return nl
 | 
						|
 | 
						|
    def _monitor_create(self, monitor):
 | 
						|
        self.log.debug('_monitor_create: monitor="%s"', monitor['name'])
 | 
						|
 | 
						|
        # Find the right notifylist
 | 
						|
        nl_name = self.SHARED_NOTIFYLIST_NAME \
 | 
						|
            if self.shared_notifylist else monitor['name']
 | 
						|
        nl = self._notifylists_find_or_create(nl_name)
 | 
						|
 | 
						|
        # Create the monitor
 | 
						|
        monitor['notify_list'] = nl['id']
 | 
						|
        monitor = self._client.monitors_create(**monitor)
 | 
						|
        monitor_id = monitor['id']
 | 
						|
        self.log.debug('_monitor_create:   monitor=%s', monitor_id)
 | 
						|
 | 
						|
        return monitor_id, self._feed_create(monitor)
 | 
						|
 | 
						|
    def _monitor_gen(self, record, value):
 | 
						|
        host = record.fqdn[:-1]
 | 
						|
        _type = record._type
 | 
						|
 | 
						|
        if _type == 'CNAME':
 | 
						|
            # NS1 does not accept a host value with a trailing dot
 | 
						|
            value = value[:-1]
 | 
						|
 | 
						|
        ret = {
 | 
						|
            'active': True,
 | 
						|
            'config': {
 | 
						|
                'connect_timeout': 2000,
 | 
						|
                'host': value,
 | 
						|
                'port': record.healthcheck_port,
 | 
						|
                'response_timeout': 10000,
 | 
						|
                'ssl': record.healthcheck_protocol == 'HTTPS',
 | 
						|
            },
 | 
						|
            'frequency': 60,
 | 
						|
            'job_type': 'tcp',
 | 
						|
            'name': f'{host} - {_type} - {value}',
 | 
						|
            'notes': self._encode_notes({
 | 
						|
                'host': host,
 | 
						|
                'type': _type,
 | 
						|
            }),
 | 
						|
            'policy': 'quorum',
 | 
						|
            'rapid_recheck': False,
 | 
						|
            'region_scope': 'fixed',
 | 
						|
            'regions': self.monitor_regions,
 | 
						|
        }
 | 
						|
 | 
						|
        if _type == 'AAAA':
 | 
						|
            ret['config']['ipv6'] = True
 | 
						|
 | 
						|
        if record.healthcheck_protocol != 'TCP':
 | 
						|
            # IF it's HTTP we need to send the request string
 | 
						|
            path = record.healthcheck_path
 | 
						|
            host = record.healthcheck_host(value=value)
 | 
						|
            request = fr'GET {path} HTTP/1.0\r\nHost: {host}\r\n' \
 | 
						|
                r'User-agent: NS1\r\n\r\n'
 | 
						|
            ret['config']['send'] = request
 | 
						|
            # We'll also expect a HTTP response
 | 
						|
            ret['rules'] = [{
 | 
						|
                'comparison': 'contains',
 | 
						|
                'key': 'output',
 | 
						|
                'value': '200 OK',
 | 
						|
            }]
 | 
						|
 | 
						|
        return ret
 | 
						|
 | 
						|
    def _monitor_is_match(self, expected, have):
 | 
						|
        # Make sure what we have matches what's in expected exactly. Anything
 | 
						|
        # else in have will be ignored.
 | 
						|
        for k, v in expected.items():
 | 
						|
            if have.get(k, '--missing--') != v:
 | 
						|
                return False
 | 
						|
 | 
						|
        return True
 | 
						|
 | 
						|
    def _monitor_sync(self, record, value, existing):
 | 
						|
        self.log.debug('_monitor_sync: record=%s, value=%s', record.fqdn,
 | 
						|
                       value)
 | 
						|
        expected = self._monitor_gen(record, value)
 | 
						|
 | 
						|
        if existing:
 | 
						|
            self.log.debug('_monitor_sync:   existing=%s', existing['id'])
 | 
						|
            monitor_id = existing['id']
 | 
						|
 | 
						|
            if not self._monitor_is_match(expected, existing):
 | 
						|
                self.log.debug('_monitor_sync:   existing needs update')
 | 
						|
                # Update the monitor to match expected, everything else will be
 | 
						|
                # left alone and assumed correct
 | 
						|
                self._client.monitors_update(monitor_id, **expected)
 | 
						|
 | 
						|
            feed_id = self._client.feeds_for_monitors.get(monitor_id)
 | 
						|
            if feed_id is None:
 | 
						|
                self.log.warn('_monitor_sync: %s (%s) missing feed, creating',
 | 
						|
                              existing['name'], monitor_id)
 | 
						|
                feed_id = self._feed_create(existing)
 | 
						|
        else:
 | 
						|
            self.log.debug('_monitor_sync:   needs create')
 | 
						|
            # We don't have an existing monitor create it (and related bits)
 | 
						|
            monitor_id, feed_id = self._monitor_create(expected)
 | 
						|
 | 
						|
        return monitor_id, feed_id
 | 
						|
 | 
						|
    def _monitors_gc(self, record, active_monitor_ids=None):
 | 
						|
        self.log.debug('_monitors_gc: record=%s, active_monitor_ids=%s',
 | 
						|
                       record.fqdn, active_monitor_ids)
 | 
						|
 | 
						|
        if active_monitor_ids is None:
 | 
						|
            active_monitor_ids = set()
 | 
						|
 | 
						|
        for monitor in self._monitors_for(record).values():
 | 
						|
            monitor_id = monitor['id']
 | 
						|
            if monitor_id in active_monitor_ids:
 | 
						|
                continue
 | 
						|
 | 
						|
            self.log.debug('_monitors_gc:   deleting %s', monitor_id)
 | 
						|
 | 
						|
            feed_id = self._client.feeds_for_monitors.get(monitor_id)
 | 
						|
            if feed_id:
 | 
						|
                self._client.datafeed_delete(self._client.datasource_id,
 | 
						|
                                             feed_id)
 | 
						|
 | 
						|
            self._client.monitors_delete(monitor_id)
 | 
						|
 | 
						|
            notify_list_id = monitor['notify_list']
 | 
						|
            for nl_name, nl in self._client.notifylists.items():
 | 
						|
                if nl['id'] == notify_list_id:
 | 
						|
                    # We've found the that might need deleting
 | 
						|
                    if nl['name'] != self.SHARED_NOTIFYLIST_NAME:
 | 
						|
                        # It's not shared so is safe to delete
 | 
						|
                        self._client.notifylists_delete(notify_list_id)
 | 
						|
                    break
 | 
						|
 | 
						|
    def _add_answers_for_pool(self, answers, default_answers, pool_name,
 | 
						|
                              pool_label, pool_answers, pools, priority):
 | 
						|
        current_pool_name = pool_name
 | 
						|
        seen = set()
 | 
						|
        while current_pool_name and current_pool_name not in seen:
 | 
						|
            seen.add(current_pool_name)
 | 
						|
            pool = pools[current_pool_name]
 | 
						|
            for answer in pool_answers[current_pool_name]:
 | 
						|
                fallback = pool.data['fallback']
 | 
						|
                if answer['feed_id']:
 | 
						|
                    up = {'feed': answer['feed_id']}
 | 
						|
                else:
 | 
						|
                    up = answer['status'] == 'up'
 | 
						|
                answer = {
 | 
						|
                    'answer': answer['answer'],
 | 
						|
                    'meta': {
 | 
						|
                        'priority': priority,
 | 
						|
                        'note': self._encode_notes({
 | 
						|
                            'from': pool_label,
 | 
						|
                            'pool': current_pool_name,
 | 
						|
                            'fallback': fallback or '',
 | 
						|
                        }),
 | 
						|
                        'up': up,
 | 
						|
                        'weight': answer['weight'],
 | 
						|
                    },
 | 
						|
                    'region': pool_label,  # the one we're answering
 | 
						|
                }
 | 
						|
                answers.append(answer)
 | 
						|
 | 
						|
            current_pool_name = pool.data.get('fallback', None)
 | 
						|
            priority += 1
 | 
						|
 | 
						|
        # Static/default
 | 
						|
        for answer in default_answers:
 | 
						|
            answer = {
 | 
						|
                'answer': answer['answer'],
 | 
						|
                'meta': {
 | 
						|
                    'priority': priority,
 | 
						|
                    'note': self._encode_notes({
 | 
						|
                        'from': '--default--',
 | 
						|
                    }),
 | 
						|
                    'up': True,
 | 
						|
                    'weight': 1,
 | 
						|
                },
 | 
						|
                'region': pool_label,  # the one we're answering
 | 
						|
            }
 | 
						|
            answers.append(answer)
 | 
						|
 | 
						|
    def _params_for_dynamic(self, record):
 | 
						|
        pools = record.dynamic.pools
 | 
						|
 | 
						|
        # Convert rules to regions
 | 
						|
        has_country = False
 | 
						|
        has_region = False
 | 
						|
        regions = {}
 | 
						|
 | 
						|
        for i, rule in enumerate(record.dynamic.rules):
 | 
						|
            pool_name = rule.data['pool']
 | 
						|
 | 
						|
            notes = {
 | 
						|
                'rule-order': i,
 | 
						|
            }
 | 
						|
 | 
						|
            fallback = pools[pool_name].data.get('fallback', None)
 | 
						|
            if fallback:
 | 
						|
                notes['fallback'] = fallback
 | 
						|
 | 
						|
            country = set()
 | 
						|
            georegion = set()
 | 
						|
            us_state = set()
 | 
						|
            ca_province = set()
 | 
						|
 | 
						|
            for geo in rule.data.get('geos', []):
 | 
						|
                n = len(geo)
 | 
						|
                if n == 8:
 | 
						|
                    # US state, e.g. NA-US-KY
 | 
						|
                    # CA province, e.g. NA-CA-NL
 | 
						|
                    us_state.add(geo[-2:]) if "NA-US" in geo \
 | 
						|
                        else ca_province.add(geo[-2:])
 | 
						|
                    # For filtering. State filtering is done by the country
 | 
						|
                    # filter
 | 
						|
                    has_country = True
 | 
						|
                elif n == 5:
 | 
						|
                    # Country, e.g. EU-FR
 | 
						|
                    country.add(geo[-2:])
 | 
						|
                    has_country = True
 | 
						|
                else:
 | 
						|
                    # Continent, e.g. AS
 | 
						|
                    if geo in self._CONTINENT_TO_REGIONS:
 | 
						|
                        georegion.update(self._CONTINENT_TO_REGIONS[geo])
 | 
						|
                        has_region = True
 | 
						|
                    else:
 | 
						|
                        # No maps for geo in _CONTINENT_TO_REGIONS.
 | 
						|
                        # Use the country list
 | 
						|
                        self.log.debug('Converting geo {} to country list'.
 | 
						|
                                       format(geo))
 | 
						|
                        for c in self._CONTINENT_TO_LIST_OF_COUNTRIES[geo]:
 | 
						|
                            country.add(c)
 | 
						|
                            has_country = True
 | 
						|
 | 
						|
            meta = {
 | 
						|
                'note': self._encode_notes(notes),
 | 
						|
            }
 | 
						|
 | 
						|
            if georegion:
 | 
						|
                georegion_meta = dict(meta)
 | 
						|
                georegion_meta['georegion'] = sorted(georegion)
 | 
						|
                regions[f'{pool_name}__georegion'] = {
 | 
						|
                    'meta': georegion_meta,
 | 
						|
                }
 | 
						|
 | 
						|
            if country or us_state or ca_province:
 | 
						|
                # If there's country and/or states its a country pool,
 | 
						|
                # countries and states can coexist as they're handled by the
 | 
						|
                # same step in the filterchain (countries and georegions
 | 
						|
                # cannot as they're seperate stages and run the risk of
 | 
						|
                # eliminating all options)
 | 
						|
                country_state_meta = dict(meta)
 | 
						|
                if country:
 | 
						|
                    country_state_meta['country'] = sorted(country)
 | 
						|
                if us_state:
 | 
						|
                    country_state_meta['us_state'] = sorted(us_state)
 | 
						|
                if ca_province:
 | 
						|
                    country_state_meta['ca_province'] = sorted(ca_province)
 | 
						|
                regions[f'{pool_name}__country'] = {
 | 
						|
                    'meta': country_state_meta,
 | 
						|
                }
 | 
						|
            elif not georegion:
 | 
						|
                # If there's no targeting it's a catchall
 | 
						|
                regions[f'{pool_name}__catchall'] = {
 | 
						|
                    'meta': meta,
 | 
						|
                }
 | 
						|
 | 
						|
        existing_monitors = self._monitors_for(record)
 | 
						|
        active_monitors = set()
 | 
						|
 | 
						|
        # Build a list of primary values for each pool, including their
 | 
						|
        # feed_id (monitor)
 | 
						|
        value_feed = dict()
 | 
						|
        pool_answers = defaultdict(list)
 | 
						|
        for pool_name, pool in sorted(pools.items()):
 | 
						|
            for value in pool.data['values']:
 | 
						|
                weight = value['weight']
 | 
						|
                status = value['status']
 | 
						|
                value = value['value']
 | 
						|
 | 
						|
                feed_id = None
 | 
						|
                if status == 'obey':
 | 
						|
                    # state is not forced, let's find a monitor
 | 
						|
                    feed_id = value_feed.get(value)
 | 
						|
                    # check for identical monitor and skip creating one if
 | 
						|
                    # found
 | 
						|
                    if not feed_id:
 | 
						|
                        existing = existing_monitors.get(value)
 | 
						|
                        monitor_id, feed_id = self._monitor_sync(record, value,
 | 
						|
                                                                 existing)
 | 
						|
                        value_feed[value] = feed_id
 | 
						|
                        active_monitors.add(monitor_id)
 | 
						|
 | 
						|
                pool_answers[pool_name].append({
 | 
						|
                    'answer': [value],
 | 
						|
                    'weight': weight,
 | 
						|
                    'feed_id': feed_id,
 | 
						|
                    'status': status,
 | 
						|
                })
 | 
						|
 | 
						|
        if record._type == 'CNAME':
 | 
						|
            default_values = [record.value]
 | 
						|
        else:
 | 
						|
            default_values = record.values
 | 
						|
        default_answers = [{
 | 
						|
            'answer': [v],
 | 
						|
            'weight': 1,
 | 
						|
        } for v in default_values]
 | 
						|
 | 
						|
        # Build our list of answers
 | 
						|
        # The regions dictionary built above already has the required pool
 | 
						|
        # names. Iterate over them and add answers.
 | 
						|
        answers = []
 | 
						|
        for pool_name in sorted(regions.keys()):
 | 
						|
            priority = 1
 | 
						|
 | 
						|
            # Dynamic/health checked
 | 
						|
            pool_label = pool_name
 | 
						|
            # Remove the pool type from the end of the name
 | 
						|
            pool_name = self._parse_dynamic_pool_name(pool_name)
 | 
						|
            self._add_answers_for_pool(answers, default_answers, pool_name,
 | 
						|
                                       pool_label, pool_answers, pools,
 | 
						|
                                       priority)
 | 
						|
 | 
						|
        # Update filters as necessary
 | 
						|
        filters = self._get_updated_filter_chain(has_region, has_country)
 | 
						|
 | 
						|
        return {
 | 
						|
            'answers': answers,
 | 
						|
            'filters': filters,
 | 
						|
            'regions': regions,
 | 
						|
            'ttl': record.ttl,
 | 
						|
        }, active_monitors
 | 
						|
 | 
						|
    def _params_for_A(self, record):
 | 
						|
        if getattr(record, 'dynamic', False):
 | 
						|
            return self._params_for_dynamic(record)
 | 
						|
        elif hasattr(record, 'geo'):
 | 
						|
            return self._params_for_geo_A(record)
 | 
						|
 | 
						|
        return {
 | 
						|
            'answers': record.values,
 | 
						|
            'ttl': record.ttl,
 | 
						|
        }, None
 | 
						|
 | 
						|
    _params_for_AAAA = _params_for_A
 | 
						|
    _params_for_NS = _params_for_A
 | 
						|
 | 
						|
    def _params_for_SPF(self, record):
 | 
						|
        # NS1 seems to be the only provider that doesn't want things
 | 
						|
        # escaped in values so we have to strip them here and add
 | 
						|
        # them when going the other way
 | 
						|
        values = [v.replace('\\;', ';') for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    _params_for_TXT = _params_for_SPF
 | 
						|
 | 
						|
    def _params_for_CAA(self, record):
 | 
						|
        values = [(v.flags, v.tag, v.value) for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    def _params_for_CNAME(self, record):
 | 
						|
        if getattr(record, 'dynamic', False):
 | 
						|
            return self._params_for_dynamic(record)
 | 
						|
 | 
						|
        return {'answers': [record.value], 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    _params_for_ALIAS = _params_for_CNAME
 | 
						|
 | 
						|
    def _params_for_MX(self, record):
 | 
						|
        values = [(v.preference, v.exchange) for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    def _params_for_NAPTR(self, record):
 | 
						|
        values = [(v.order, v.preference, v.flags, v.service, v.regexp,
 | 
						|
                   v.replacement) for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    def _params_for_PTR(self, record):
 | 
						|
        return {
 | 
						|
            'answers': record.values,
 | 
						|
            'ttl': record.ttl,
 | 
						|
        }, None
 | 
						|
 | 
						|
    def _params_for_SRV(self, record):
 | 
						|
        values = [(v.priority, v.weight, v.port, v.target)
 | 
						|
                  for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    def _params_for_URLFWD(self, record):
 | 
						|
        values = [(v.path, v.target, v.code, v.masking, v.query)
 | 
						|
                  for v in record.values]
 | 
						|
        return {'answers': values, 'ttl': record.ttl}, None
 | 
						|
 | 
						|
    def _get_ns1_filters(self, ns1_zone_name):
 | 
						|
        ns1_filters = {}
 | 
						|
        ns1_zone = {}
 | 
						|
 | 
						|
        try:
 | 
						|
            ns1_zone = self._client.zones_retrieve(ns1_zone_name)
 | 
						|
        except ResourceException as e:
 | 
						|
            if e.message != self.ZONE_NOT_FOUND_MESSAGE:
 | 
						|
                raise
 | 
						|
 | 
						|
        if 'records' in ns1_zone:
 | 
						|
            for ns1_record in ns1_zone['records']:
 | 
						|
                if ns1_record.get('tier', 1) > 1:
 | 
						|
                    # Need to get the full record data for geo records
 | 
						|
                    full_rec = self._client.records_retrieve(
 | 
						|
                        ns1_zone_name,
 | 
						|
                        ns1_record['domain'],
 | 
						|
                        ns1_record['type'])
 | 
						|
                    if 'filters' in full_rec:
 | 
						|
                        filter_key = f'{ns1_record["domain"]}.'
 | 
						|
                        ns1_filters[filter_key] = full_rec['filters']
 | 
						|
 | 
						|
        return ns1_filters
 | 
						|
 | 
						|
    def _disabled_flag_in_filters(self, filters, domain):
 | 
						|
        disabled_count = ['disabled' in f for f in filters].count(True)
 | 
						|
        if disabled_count and disabled_count != len(filters):
 | 
						|
            # Some filters have the disabled flag, and some don't. Disallow
 | 
						|
            exception_msg = f'Mixed disabled flag in filters for {domain}'
 | 
						|
            raise Ns1Exception(exception_msg)
 | 
						|
        return disabled_count == len(filters)
 | 
						|
 | 
						|
    def _extra_changes(self, desired, changes, **kwargs):
 | 
						|
        self.log.debug('_extra_changes: desired=%s', desired.name)
 | 
						|
        ns1_filters = self._get_ns1_filters(desired.name[:-1])
 | 
						|
        changed = set([c.record for c in changes])
 | 
						|
        extra = []
 | 
						|
        for record in desired.records:
 | 
						|
            if record in changed or not getattr(record, 'dynamic', False):
 | 
						|
                # Already changed, or no dynamic , no need to check it
 | 
						|
                continue
 | 
						|
 | 
						|
            # Filter normalization
 | 
						|
            # Check if filters for existing domains need an update
 | 
						|
            # Needs an explicit check since there might be no change in the
 | 
						|
            # config at all. Filters however might still need an update
 | 
						|
            domain = f'{record.name}.{record.zone.name}'
 | 
						|
            if domain in ns1_filters:
 | 
						|
                domain_filters = ns1_filters[domain]
 | 
						|
                if not self._disabled_flag_in_filters(domain_filters, domain):
 | 
						|
                    # 'disabled' entry absent in filter config. Need to update
 | 
						|
                    # filters. Update record
 | 
						|
                    self.log.info('_extra_changes: change in filters for %s',
 | 
						|
                                  domain)
 | 
						|
                    extra.append(Update(record, record))
 | 
						|
                    continue
 | 
						|
 | 
						|
            for value, have in self._monitors_for(record).items():
 | 
						|
                expected = self._monitor_gen(record, value)
 | 
						|
                # TODO: find values which have missing monitors
 | 
						|
                if not self._monitor_is_match(expected, have):
 | 
						|
                    self.log.info('_extra_changes: monitor mis-match for %s',
 | 
						|
                                  expected['name'])
 | 
						|
                    extra.append(Update(record, record))
 | 
						|
                    break
 | 
						|
                if not have.get('notify_list'):
 | 
						|
                    self.log.info('_extra_changes: broken monitor no notify '
 | 
						|
                                  'list %s (%s)', have['name'], have['id'])
 | 
						|
                    extra.append(Update(record, record))
 | 
						|
                    break
 | 
						|
 | 
						|
        return extra
 | 
						|
 | 
						|
    def _apply_Create(self, ns1_zone, change):
 | 
						|
        new = change.new
 | 
						|
        zone = new.zone.name[:-1]
 | 
						|
        domain = new.fqdn[:-1]
 | 
						|
        _type = new._type
 | 
						|
        params, active_monitor_ids = getattr(self, f'_params_for_{_type}')(new)
 | 
						|
        self._client.records_create(zone, domain, _type, **params)
 | 
						|
        self._monitors_gc(new, active_monitor_ids)
 | 
						|
 | 
						|
    def _apply_Update(self, ns1_zone, change):
 | 
						|
        new = change.new
 | 
						|
        zone = new.zone.name[:-1]
 | 
						|
        domain = new.fqdn[:-1]
 | 
						|
        _type = new._type
 | 
						|
        params, active_monitor_ids = getattr(self, f'_params_for_{_type}')(new)
 | 
						|
        self._client.records_update(zone, domain, _type, **params)
 | 
						|
        # If we're cleaning up we need to send in the old record since it'd
 | 
						|
        # have anything that needs cleaning up
 | 
						|
        self._monitors_gc(change.existing, active_monitor_ids)
 | 
						|
 | 
						|
    def _apply_Delete(self, ns1_zone, change):
 | 
						|
        existing = change.existing
 | 
						|
        zone = existing.zone.name[:-1]
 | 
						|
        domain = existing.fqdn[:-1]
 | 
						|
        _type = existing._type
 | 
						|
        self._client.records_delete(zone, domain, _type)
 | 
						|
        self._monitors_gc(existing)
 | 
						|
 | 
						|
    def _has_dynamic(self, changes):
 | 
						|
        for change in changes:
 | 
						|
            if getattr(change.record, 'dynamic', False):
 | 
						|
                return True
 | 
						|
 | 
						|
        return False
 | 
						|
 | 
						|
    def _apply(self, plan):
 | 
						|
        desired = plan.desired
 | 
						|
        changes = plan.changes
 | 
						|
        self.log.debug('_apply: zone=%s, len(changes)=%d', desired.name,
 | 
						|
                       len(changes))
 | 
						|
 | 
						|
        # Make sure that if we're going to make any dynamic changes that we
 | 
						|
        # have monitor_regions configured before touching anything so we can
 | 
						|
        # abort early and not half-apply
 | 
						|
        if self._has_dynamic(changes) and self.monitor_regions is None:
 | 
						|
            raise Ns1Exception('Monitored record, but monitor_regions not set')
 | 
						|
 | 
						|
        domain_name = desired.name[:-1]
 | 
						|
        try:
 | 
						|
            ns1_zone = self._client.zones_retrieve(domain_name)
 | 
						|
        except ResourceException as e:
 | 
						|
            if e.message != self.ZONE_NOT_FOUND_MESSAGE:
 | 
						|
                raise
 | 
						|
            self.log.debug('_apply:   no matching zone, creating')
 | 
						|
            ns1_zone = self._client.zones_create(domain_name)
 | 
						|
 | 
						|
        for change in changes:
 | 
						|
            class_name = change.__class__.__name__
 | 
						|
            getattr(self, f'_apply_{class_name}')(ns1_zone, change)
 |