fw.py 12.2 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
                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)))

65 66 67 68 69 70 71 72 73
        # 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
74 75 76 77 78 79 80 81 82
        # 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
83 84 85 86

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

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

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

Bach Dániel committed
95
        # host rules
96 97 98 99
        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
100 101
            self.add_rules(**rule.get_ipt_rules(rule.host))
        # group rules
102
        for rule in rules.exclude(hostgroup=None).select_related(
Bach Dániel committed
103 104 105 106
                '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))
107

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

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

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

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

Bach Dániel committed
124 125 126 127 128 129 130 131 132 133 134
    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:
135
                jump_rule = IptRule(priority=65535, action=chain.name,
Bach Dániel committed
136 137 138 139 140 141 142 143 144 145 146 147 148 149
                                    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 = {
150 151 152 153
            '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
154 155 156 157 158 159 160

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

162 163

def ipset():
164
    week = timezone.now() - timedelta(days=2)
165
    filter_ban = (Q(type='tempban', modified_at__gte=week) |
Bach Dániel committed
166
                  Q(type='permban'))
167
    return BlacklistItem.objects.filter(filter_ban).values('ipv4', 'reason')
168 169 170


def ipv6_to_octal(ipv6):
Bach Dániel committed
171
    ipv6 = IPAddress(ipv6, version=6)
172
    octets = []
Bach Dániel committed
173 174 175 176 177
    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))
178
    return "".join(r"\%03o" % x for x in octets)
179

180

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

190
def generate_ptr_records():
191 192
    DNS = []

Bach Dániel committed
193 194
    for host in Host.objects.order_by('vlan').all():
        template = host.vlan.reverse_domain
Bach Dániel committed
195 196 197 198 199 200
        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)
201

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

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

    return DNS
213 214 215 216 217 218 219


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


def generate_records():
Bach Dániel committed
220 221 222 223 224 225
    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
226
             'TXT': "'%(fqdn)s:%(octal)s:%(ttl)s"}
Bach Dániel committed
227 228 229 230 231 232

    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
233
            params['dist'], params['address'] = r.address.split(':', 2)
Bach Dániel committed
234
        if r.type == 'AAAA':
Bach Dániel committed
235 236 237 238 239 240
            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
241 242 243
        if r.type == 'TXT':
            params['octal'] = txt_to_octal(r.address)
        retval.append(types[r.type] % params)
244

Bach Dániel committed
245
    return retval
246 247 248 249 250 251 252 253 254


def dns():
    DNS = []

    # host PTR record
    DNS += generate_ptr_records()

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

    # records
    DNS += generate_records()
262 263 264 265

    return DNS


266 267 268 269 270 271 272 273 274 275 276 277
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


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

283
    VLAN_TEMPLATE = '''
284 285 286 287 288 289 290 291 292 293 294
    # %(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;
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 325 326 327
    }'''

    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,
328 329
                })

330
    return config
331 332 333


def vlan():
334 335
    obj = Vlan.objects.filter(managed=True).values(
        'vid', 'name', 'network4', 'network6')
336 337 338 339 340 341
    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
342
    for p in SwitchPort.objects.all():
343 344 345 346 347 348 349 350 351 352 353 354 355 356 357
        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