fw.py 12.1 KB
Newer Older
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
# Copyright 2014 Budapest University of Technology and Economics (BME IK)
#
# This file is part of CIRCLE Cloud.
#
# CIRCLE is free software: you can redistribute it and/or modify it under
# the terms of the GNU General Public License as published by the Free
# Software Foundation, either version 3 of the License, or (at your option)
# any later version.
#
# CIRCLE is distributed in the hope that it will be useful, but WITHOUT ANY
# WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
# FOR A PARTICULAR PURPOSE.  See the GNU General Public License for more
# details.
#
# You should have received a copy of the GNU General Public License along
# with CIRCLE.  If not, see <http://www.gnu.org/licenses/>.

18
import re
Bach Dániel committed
19
import logging
20
from collections import OrderedDict
Bach Dániel committed
21
from netaddr import IPAddress, AddrFormatError
Bach Dániel committed
22 23
from itertools import product

24 25
from .models import (Host, Rule, Vlan, Domain, Record, BlacklistItem,
                     SwitchPort)
Bach Dániel committed
26 27 28
from .iptables import IptRule, IptChain
import django.conf
from django.template import loader, Context
29
from django.utils import timezone
30 31 32


settings = django.conf.settings.FIREWALL_SETTINGS
Bach Dániel committed
33
logger = logging.getLogger(__name__)
34 35


Bach Dániel committed
36
class BuildFirewall:
37

Bach Dániel committed
38
    def __init__(self):
39
        self.chains = OrderedDict()
40

Bach Dániel committed
41 42 43 44 45
    def add_rules(self, *args, **kwargs):
        for chain_name, ipt_rule in kwargs.items():
            if chain_name not in self.chains:
                self.create_chain(chain_name)
            self.chains[chain_name].add(ipt_rule)
46

Bach Dániel committed
47 48
    def create_chain(self, chain_name):
        self.chains[chain_name] = IptChain(name=chain_name)
49

Bach Dániel committed
50
    def build_ipt_nat(self):
51
        # portforward
Bach Dániel committed
52
        for rule in Rule.objects.filter(
53
                action__in=['accept', 'drop'],
Bach Dániel committed
54 55 56 57 58 59 60 61 62
                nat=True, direction='in').select_related('host'):
            self.add_rules(PREROUTING=IptRule(
                priority=1000,
                dst=(rule.get_external_ipv4(), None),
                proto=rule.proto,
                dport=rule.get_external_port('ipv4'),
                extra='-j DNAT --to-destination %s:%s' % (rule.host.ipv4,
                                                          rule.dport)))

63 64 65 66 67 68 69 70 71
        # SNAT rules for machines with public IPv4
        for host in Host.objects.exclude(external_ipv4=None).select_related(
                'vlan').prefetch_related('vlan__snat_to'):
            for vl_out in host.vlan.snat_to.all():
                self.add_rules(POSTROUTING=IptRule(
                    priority=1500, src=(host.ipv4, None),
                    extra='-o %s -j SNAT --to-source %s' % (
                        vl_out.name, host.external_ipv4)))

Bach Dániel committed
72 73 74 75 76 77 78 79 80
        # default outbound NAT rules for VLANs
        for vl_in in Vlan.objects.exclude(
                snat_ip=None).prefetch_related('snat_to'):
            for vl_out in vl_in.snat_to.all():
                self.add_rules(POSTROUTING=IptRule(
                    priority=1000,
                    src=(vl_in.network4, None),
                    extra='-o %s -j SNAT --to-source %s' % (
                        vl_out.name, vl_in.snat_ip)))
Őry Máté committed
81 82 83 84

    def ipt_filter_firewall(self):
        """Build firewall's own rules."""

85 86
        rules = Rule.objects.filter(action__in=['accept', 'drop'])
        for rule in rules.exclude(firewall=None).select_related(
Bach Dániel committed
87 88
                'foreign_network').prefetch_related('foreign_network__vlans'):
            self.add_rules(**rule.get_ipt_rules())
89

Őry Máté committed
90 91 92
    def ipt_filter_host_rules(self):
        """Build hosts' rules."""

Bach Dániel committed
93
        # host rules
94 95 96 97
        rules = Rule.objects.filter(action__in=['accept', 'drop'])
        for rule in rules.exclude(host=None).select_related(
                'foreign_network', 'host', 'host__vlan').prefetch_related(
                'foreign_network__vlans'):
Bach Dániel committed
98 99
            self.add_rules(**rule.get_ipt_rules(rule.host))
        # group rules
100
        for rule in rules.exclude(hostgroup=None).select_related(
Bach Dániel committed
101 102 103 104
                'hostgroup', 'foreign_network').prefetch_related(
                'hostgroup__host_set__vlan', 'foreign_network__vlans'):
            for host in rule.hostgroup.host_set.all():
                self.add_rules(**rule.get_ipt_rules(host))
105

Őry Máté committed
106 107 108
    def ipt_filter_vlan_rules(self):
        """Enable communication between VLANs."""

109 110
        rules = Rule.objects.filter(action__in=['accept', 'drop'])
        for rule in rules.exclude(vlan=None).select_related(
Bach Dániel committed
111 112 113
                'vlan', 'foreign_network').prefetch_related(
                'foreign_network__vlans'):
            self.add_rules(**rule.get_ipt_rules())
114

Őry Máté committed
115 116 117
    def ipt_filter_vlan_drop(self):
        """Close intra-VLAN chains."""

Bach Dániel committed
118
        for chain in self.chains.values():
119
            close_chain_rule = IptRule(priority=1, action='LOG_DROP')
Bach Dániel committed
120
            chain.add(close_chain_rule)
121

Bach Dániel committed
122 123 124 125 126 127 128 129 130 131 132
    def ipt_filter_vlan_jump(self):
        """Create intra-VLAN jump rules."""

        vlans = Vlan.objects.all().values_list('name', flat=True)
        for vl_in, vl_out in product(vlans, repeat=2):
            name = '%s_%s' % (vl_in, vl_out)
            try:
                chain = self.chains[name]
            except KeyError:
                pass
            else:
133
                jump_rule = IptRule(priority=65535, action=chain.name,
Bach Dániel committed
134 135 136 137 138 139 140 141 142 143 144 145 146 147
                                    extra='-i %s -o %s' % (vl_in, vl_out))
                self.add_rules(FORWARD=jump_rule)

    def build_ipt(self):
        """Build rules."""

        self.ipt_filter_firewall()
        self.ipt_filter_host_rules()
        self.ipt_filter_vlan_rules()
        self.ipt_filter_vlan_jump()
        self.ipt_filter_vlan_drop()
        self.build_ipt_nat()

        context = {
148 149 150 151
            'filter': lambda: (chain for name, chain in self.chains.iteritems()
                               if chain.name not in IptChain.nat_chains),
            'nat': lambda: (chain for name, chain in self.chains.iteritems()
                            if chain.name in IptChain.nat_chains)}
Bach Dániel committed
152 153 154 155 156 157 158

        template = loader.get_template('firewall/iptables.conf')
        context['proto'] = 'ipv4'
        ipv4 = unicode(template.render(Context(context)))
        context['proto'] = 'ipv6'
        ipv6 = unicode(template.render(Context(context)))
        return (ipv4, ipv6)
159

160 161

def ipset():
162 163 164
    now = timezone.now()
    return BlacklistItem.objects.filter(whitelisted=False).exclude(
        expires_at__lt=now).values('ipv4', 'reason')
165 166 167


def ipv6_to_octal(ipv6):
Bach Dániel committed
168
    ipv6 = IPAddress(ipv6, version=6)
169
    octets = []
Bach Dániel committed
170 171 172 173 174
    for part in ipv6.words:
        # Pad hex part to 4 digits.
        part = '%04x' % part
        octets.append(int(part[:2], 16))
        octets.append(int(part[2:], 16))
175
    return "".join(r"\%03o" % x for x in octets)
176

177

178 179 180 181 182 183 184
# =fqdn:ip:ttl          A, PTR
# &fqdn:ip:x:ttl        NS
# ZfqdnSOA
# +fqdn:ip:ttl          A
# ^                     PTR
# C                     CNAME
# :                     generic
185
# 'fqdn:s:ttl           TXT
186

187
def generate_ptr_records():
188 189
    DNS = []

Bach Dániel committed
190 191
    for host in Host.objects.order_by('vlan').all():
        template = host.vlan.reverse_domain
Bach Dániel committed
192 193 194 195 196 197
        if not host.shared_ip and host.external_ipv4:  # DMZ
            i = host.external_ipv4.words
            reverse = host.get_hostname('ipv4', public=True)
        else:
            i = host.ipv4.words
            reverse = host.get_hostname('ipv4', public=False)
198

199 200
        # ipv4
        if host.ipv4:
Bach Dániel committed
201 202
            fqdn = template % {'a': i[0], 'b': i[1], 'c': i[2], 'd': i[3]}
            DNS.append("^%s:%s:%s" % (fqdn, reverse, settings['dns_ttl']))
203 204 205

        # ipv6
        if host.ipv6:
Bach Dániel committed
206
            DNS.append("^%s:%s:%s" % (host.ipv6.reverse_dns.rstrip('.'),
Bach Dániel committed
207
                                      reverse, settings['dns_ttl']))
Bach Dániel committed
208 209

    return DNS
210 211 212 213 214 215 216


def txt_to_octal(txt):
    return '\\' + '\\'.join(['%03o' % ord(x) for x in txt])


def generate_records():
Bach Dániel committed
217 218 219 220 221 222
    types = {'A': '+%(fqdn)s:%(address)s:%(ttl)s',
             'AAAA': ':%(fqdn)s:28:%(octal)s:%(ttl)s',
             'NS': '&%(fqdn)s::%(address)s:%(ttl)s',
             'CNAME': 'C%(fqdn)s:%(address)s:%(ttl)s',
             'MX': '@%(fqdn)s::%(address)s:%(dist)s:%(ttl)s',
             'PTR': '^%(fqdn)s:%(address)s:%(ttl)s',
Bach Dániel committed
223
             'TXT': "'%(fqdn)s:%(octal)s:%(ttl)s"}
Bach Dániel committed
224 225 226 227 228 229

    retval = []

    for r in Record.objects.all():
        params = {'fqdn': r.fqdn, 'address': r.address, 'ttl': r.ttl}
        if r.type == 'MX':
Bach Dániel committed
230
            params['dist'], params['address'] = r.address.split(':', 2)
Bach Dániel committed
231
        if r.type == 'AAAA':
Bach Dániel committed
232 233 234 235 236 237
            try:
                params['octal'] = ipv6_to_octal(r.address)
            except AddrFormatError:
                logger.error('Invalid ipv6 address: %s, record: %s',
                             r.address, r)
                continue
Bach Dániel committed
238 239 240
        if r.type == 'TXT':
            params['octal'] = txt_to_octal(r.address)
        retval.append(types[r.type] % params)
241

Bach Dániel committed
242
    return retval
243 244 245 246 247 248 249 250 251


def dns():
    DNS = []

    # host PTR record
    DNS += generate_ptr_records()

    # domain SOA record
Bach Dániel committed
252
    for domain in Domain.objects.all():
253 254
        DNS.append("Z%s:%s:support.ik.bme.hu::::::%s" %
                   (domain.name, settings['dns_hostname'],
Bach Dániel committed
255
                    settings['dns_ttl']))
256 257 258

    # records
    DNS += generate_records()
259 260 261 262

    return DNS


263 264 265 266 267 268 269 270 271 272 273 274
class UniqueHostname(object):
    """Append vlan id if hostname already exists."""
    def __init__(self):
        self.used_hostnames = set()

    def get(self, hostname, vlan_id):
        if hostname in self.used_hostnames:
            hostname = "%s-%s" % (hostname, vlan_id)
        self.used_hostnames.add(hostname)
        return hostname


275 276
def dhcp():
    regex = re.compile(r'^([0-9]+)\.([0-9]+)\.[0-9]+\.[0-9]+\s+'
277
                       r'([0-9]+)\.([0-9]+)\.[0-9]+\.[0-9]+$')
278
    config = []
279

280
    VLAN_TEMPLATE = '''
281 282 283 284 285 286 287 288 289 290 291
    # %(name)s - %(interface)s
    subnet %(net)s netmask %(netmask)s {
      %(extra)s;
      option domain-name "%(domain)s";
      option routers %(router)s;
      option domain-name-servers %(dnsserver)s;
      option ntp-servers %(ntp)s;
      next-server %(tftp)s;
      authoritative;
      filename \"pxelinux.0\";
      allow bootp; allow booting;
292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324
    }'''

    HOST_TEMPLATE = '''
    host %(hostname)s {
        hardware ethernet %(mac)s;
        fixed-address %(ipv4)s;
    }'''

    unique_hostnames = UniqueHostname()

    for vlan in Vlan.objects.exclude(
            dhcp_pool=None).select_related(
            'domain').prefetch_related('host_set'):
        m = regex.search(vlan.dhcp_pool)
        if(m or vlan.dhcp_pool == "manual"):
            config.append(VLAN_TEMPLATE % {
                'net': str(vlan.network4.network),
                'netmask': str(vlan.network4.netmask),
                'domain': vlan.domain,
                'router': vlan.network4.ip,
                'ntp': vlan.network4.ip,
                'dnsserver': settings['rdns_ip'],
                'extra': ("range %s" % vlan.dhcp_pool
                          if m else "deny unknown-clients"),
                'interface': vlan.name,
                'name': vlan.name,
                'tftp': vlan.network4.ip})

            for host in vlan.host_set.all():
                config.append(HOST_TEMPLATE % {
                    'hostname': unique_hostnames.get(host.hostname, vlan.vid),
                    'mac': host.mac,
                    'ipv4': host.ipv4,
325 326
                })

327
    return config
328 329 330


def vlan():
331 332
    obj = Vlan.objects.filter(managed=True).values(
        'vid', 'name', 'network4', 'network6')
333 334 335 336 337 338
    retval = {x['name']: {'tag': x['vid'],
                          'type': 'internal',
                          'interfaces': [x['name']],
                          'addresses': [str(x['network4']),
                                        str(x['network6'])]}
              for x in obj}
Bach Dániel committed
339
    for p in SwitchPort.objects.all():
340 341 342 343 344 345 346 347 348 349 350 351 352 353 354
        eth_count = p.ethernet_devices.count()
        if eth_count > 1:
            name = 'bond%d' % p.id
        elif eth_count == 1:
            name = p.ethernet_devices.get().name
        else:  # 0
            continue
        tag = p.untagged_vlan.vid
        retval[name] = {'tag': tag}
        if p.tagged_vlans is not None:
            trunk = list(p.tagged_vlans.vlans.values_list('vid', flat=True))
            retval[name]['trunks'] = sorted(trunk)
        retval[name]['interfaces'] = list(
            p.ethernet_devices.values_list('name', flat=True))
    return retval