fw.py 11.6 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
22
from datetime import timedelta
Bach Dániel committed
23 24
from itertools import product

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


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


Bach Dániel committed
38
class BuildFirewall:
39

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

Bach Dániel committed
43 44 45 46 47
    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)
48

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

Bach Dániel committed
52
    def build_ipt_nat(self):
53
        # portforward
Bach Dániel committed
54
        for rule in Rule.objects.filter(
55
                action__in=['accept', 'drop'],
Bach Dániel committed
56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73
                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)))

        # 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
74 75 76 77

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

78 79
        rules = Rule.objects.filter(action__in=['accept', 'drop'])
        for rule in rules.exclude(firewall=None).select_related(
Bach Dániel committed
80 81
                'foreign_network').prefetch_related('foreign_network__vlans'):
            self.add_rules(**rule.get_ipt_rules())
82

Őry Máté committed
83 84 85
    def ipt_filter_host_rules(self):
        """Build hosts' rules."""

Bach Dániel committed
86
        # host rules
87 88 89 90
        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
91 92
            self.add_rules(**rule.get_ipt_rules(rule.host))
        # group rules
93
        for rule in rules.exclude(hostgroup=None).select_related(
Bach Dániel committed
94 95 96 97
                '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))
98

Őry Máté committed
99 100 101
    def ipt_filter_vlan_rules(self):
        """Enable communication between VLANs."""

102 103
        rules = Rule.objects.filter(action__in=['accept', 'drop'])
        for rule in rules.exclude(vlan=None).select_related(
Bach Dániel committed
104 105 106
                'vlan', 'foreign_network').prefetch_related(
                'foreign_network__vlans'):
            self.add_rules(**rule.get_ipt_rules())
107

Őry Máté committed
108 109 110
    def ipt_filter_vlan_drop(self):
        """Close intra-VLAN chains."""

Bach Dániel committed
111
        for chain in self.chains.values():
112
            close_chain_rule = IptRule(priority=1, action='LOG_DROP')
Bach Dániel committed
113
            chain.add(close_chain_rule)
114

Bach Dániel committed
115 116 117 118 119 120 121 122 123 124 125
    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:
126
                jump_rule = IptRule(priority=65535, action=chain.name,
Bach Dániel committed
127 128 129 130 131 132 133 134 135 136 137 138 139 140
                                    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 = {
141 142 143 144
            '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
145 146 147 148 149 150 151

        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)
152

153 154

def ipset():
155
    week = timezone.now() - timedelta(days=2)
156
    filter_ban = (Q(type='tempban', modified_at__gte=week) |
Bach Dániel committed
157
                  Q(type='permban'))
158
    return BlacklistItem.objects.filter(filter_ban).values('ipv4', 'reason')
159 160 161


def ipv6_to_octal(ipv6):
Bach Dániel committed
162
    ipv6 = IPAddress(ipv6, version=6)
163
    octets = []
Bach Dániel committed
164 165 166 167 168
    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))
169
    return "".join(r"\%03o" % x for x in octets)
170

171

172 173 174 175 176 177 178
# =fqdn:ip:ttl          A, PTR
# &fqdn:ip:x:ttl        NS
# ZfqdnSOA
# +fqdn:ip:ttl          A
# ^                     PTR
# C                     CNAME
# :                     generic
179
# 'fqdn:s:ttl           TXT
180

181
def generate_ptr_records():
182 183
    DNS = []

Bach Dániel committed
184 185 186 187 188
    for host in Host.objects.order_by('vlan').all():
        template = host.vlan.reverse_domain
        i = host.get_external_ipv4().words
        reverse = (host.reverse if host.reverse not in [None, '']
                   else host.get_fqdn())
189

190 191
        # ipv4
        if host.ipv4:
Bach Dániel committed
192 193
            fqdn = template % {'a': i[0], 'b': i[1], 'c': i[2], 'd': i[3]}
            DNS.append("^%s:%s:%s" % (fqdn, reverse, settings['dns_ttl']))
194 195 196

        # ipv6
        if host.ipv6:
Bach Dániel committed
197
            DNS.append("^%s:%s:%s" % (host.ipv6.reverse_dns,
Bach Dániel committed
198
                                      reverse, settings['dns_ttl']))
Bach Dániel committed
199 200

    return DNS
201 202 203 204 205 206 207


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


def generate_records():
Bach Dániel committed
208 209 210 211 212 213 214 215 216 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',
             'TXT': '%(fqdn)s:%(octal)s:%(ttl)s'}

    retval = []

    for r in Record.objects.all():
        params = {'fqdn': r.fqdn, 'address': r.address, 'ttl': r.ttl}
        if r.type == 'MX':
            params['address'], params['dist'] = r.address.split(':', 2)
        if r.type == 'AAAA':
Bach Dániel committed
223 224 225 226 227 228
            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
229 230 231
        if r.type == 'TXT':
            params['octal'] = txt_to_octal(r.address)
        retval.append(types[r.type] % params)
232

Bach Dániel committed
233
    return retval
234 235 236 237 238 239 240 241 242


def dns():
    DNS = []

    # host PTR record
    DNS += generate_ptr_records()

    # domain SOA record
Bach Dániel committed
243
    for domain in Domain.objects.all():
244 245
        DNS.append("Z%s:%s:support.ik.bme.hu::::::%s" %
                   (domain.name, settings['dns_hostname'],
Bach Dániel committed
246
                    settings['dns_ttl']))
247 248 249

    # records
    DNS += generate_records()
250 251 252 253

    return DNS


254 255 256 257 258 259 260 261 262 263 264 265
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


266 267
def dhcp():
    regex = re.compile(r'^([0-9]+)\.([0-9]+)\.[0-9]+\.[0-9]+\s+'
268
                       r'([0-9]+)\.([0-9]+)\.[0-9]+\.[0-9]+$')
269
    config = []
270

271
    VLAN_TEMPLATE = '''
272 273 274 275 276 277 278 279 280 281 282
    # %(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;
283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315
    }'''

    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,
316 317
                })

318
    return config
319 320 321


def vlan():
Bach Dániel committed
322
    obj = Vlan.objects.values('vid', 'name', 'network4', 'network6')
323 324 325 326 327 328
    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
329
    for p in SwitchPort.objects.all():
330 331 332 333 334 335 336 337 338 339 340 341 342 343 344
        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