forms.py 59.4 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 19
from __future__ import absolute_import

20
from datetime import timedelta
21
from urlparse import urlparse
22

23
import openstack_api
24 25
import pyotp

26
from django.forms import ModelForm
27 28
from django.contrib.auth.forms import (
    AuthenticationForm, PasswordResetForm, SetPasswordForm,
29
    PasswordChangeForm,
30
)
31
from django.contrib.auth.models import User, Group
Guba Sándor committed
32
from django.core.validators import URLValidator
33
from django.core.exceptions import PermissionDenied, ValidationError
34

35
from dal import autocomplete
36
from crispy_forms.helper import FormHelper
37
from crispy_forms.layout import (
38
    Layout, Div, BaseInput, Field, HTML, Submit, TEMPLATE_PACK, Fieldset
39
)
40

41
from crispy_forms.utils import render_field
42 43
from crispy_forms.bootstrap import FormActions

44
from django import forms
45
from django.contrib.auth.forms import UserCreationForm as OrgUserCreationForm
46
from django.forms.widgets import TextInput, HiddenInput
47
from django.template.loader import render_to_string
48
from django.utils.html import escape, format_html
49
from django.utils.safestring import mark_safe
Kálmán Viktor committed
50
from django.utils.translation import ugettext_lazy as _
51
from sizefield.widgets import FileSizeWidget
52
from django.core.urlresolvers import reverse_lazy
53

54
from firewall.models import Vlan, Host
55
from vm.models import (
56
    InstanceTemplate, Lease, InterfaceTemplate, Node, Trait, Instance
57
)
58
from storage.models import DataStore, Disk
59 60
from django.contrib.admin.widgets import FilteredSelectMultiple
from django.contrib.auth.models import Permission
61
from .models import Profile, GroupProfile, Message
62
from circle.settings.base import LANGUAGES, MAX_NODE_RAM
63 64
from django.utils.translation import string_concat

65
from .validators import domain_validator
66

67
from dashboard.models import ConnectCommand
68

69
from openstack_auth.user_key import UserKey
70

71 72
LANGUAGES_WITH_CODE = ((l[0], string_concat(l[1], " (", l[0], ")"))
                       for l in LANGUAGES)
73

74 75 76 77 78 79 80
priority_choices = (
    (10, _("idle")),
    (30, _("normal")),
    (80, _("server")),
    (100, _("realtime")),
)

81

82
class NoFormTagMixin(object):
83

Bach Dániel committed
84 85 86 87 88 89
    @property
    def helper(self):
        helper = FormHelper(self)
        helper.form_tag = False
        return helper

90 91 92 93 94 95 96 97 98

class OperationForm(NoFormTagMixin, forms.Form):
    pass


class VmSaveForm(OperationForm):
    name = forms.CharField(max_length=100, label=_('Name'),
                           help_text=_('Human readable name of template.'))

99 100
    def __init__(self, *args, **kwargs):
        default = kwargs.pop('default', None)
101
        clone = kwargs.pop('clone', False)
102 103 104
        super(VmSaveForm, self).__init__(*args, **kwargs)
        if default:
            self.fields['name'].initial = default
105
        if clone:
106
            self.fields["clone"] = forms.BooleanField(
107 108
                required=False, label=_("Clone template permissions"),
                help_text=_("Clone the access list of parent template. Useful "
109
                            "for updating a template."))
110

111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132
class VmFromPlainImageForm(forms.Form):
    name = forms.CharField(widget=forms.TextInput(attrs={
        'class': "form-control",
        'required': "",
    }))

    image = forms.ChoiceField([], widget=forms.Select(attrs={
        'class': "form-control input-tags",
    }))

    flavor = forms.ChoiceField([], widget=forms.Select(attrs={
        'class': "form-control input-tags",
    }))

    network = forms.ChoiceField([], widget=forms.Select(attrs={
        'class': "form-control input-tags",
    }))

    def __init__(self, request, *args, **kwargs):
        super(VmFromPlainImageForm, self).__init__(*args, **kwargs)

        images = openstack_api.glance.image_list_detailed(request)[0] #TODO: flatten?
133 134
        images = [i for i in images if i._apiresource["visibility"] in ["private", "public"]]

135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153
        def sizeof_fmt(num, suffix='B'):
            for unit in ['', 'K', 'M', 'G', 'T']:
                if abs(num) < 1024.0:
                    return "%3.1f%s%s" % (num, unit, suffix)
                num /= 1024.0
            return "%.1f%s%s" % (num, 'Yi', suffix)
        self.fields['image'].choices = (
            (image.id, '%s - %s' % (image.name, sizeof_fmt(image.size))) for image in images
        )

        flavors = openstack_api.nova.flavor_list(request) #TODO: flattent
        self.fields['flavor'].choices = (
            (flavor.id, '%s - %s CPUs, %s MB RAM' % (flavor.name, flavor.vcpus, flavor.ram)) for flavor in flavors
        )

        networks = openstack_api.neutron.network_list_for_tenant(request, request.user.tenant_id)
        self.fields['network'].choices = (
            (network.id, '%s' % (network.name)) for network in networks
        )
154

155
class VmCustomizeForm(forms.Form):
156 157 158 159 160 161
    name = forms.CharField(widget=forms.TextInput(attrs={
        'class': "form-control",
        'style': "max-width: 350px",
        'required': "",
    }))

162
    cpu_count = forms.IntegerField(widget=forms.NumberInput(attrs={
163 164 165 166
        'class': "form-control input-tags cpu-count-input",
        'min': 1,
        'max': 10,
        'required': "",
167 168 169
    }),
        min_value=1, max_value=10,
    )
170

171
    ram_size = forms.IntegerField(widget=forms.TextInput(attrs={
172 173 174 175 176 177
        'class': "form-control input-tags ram-input",
        'min': 128,
        'pattern': "\d+",
        'max': MAX_NODE_RAM,
        'step': 128,
        'required': "",
178 179 180
    }),
        min_value=128, max_value=MAX_NODE_RAM,
    )
181 182 183 184 185 186 187 188 189 190 191 192

    cpu_priority = forms.ChoiceField(
        priority_choices, widget=forms.Select(attrs={
            'class': "form-control input-tags cpu-priority-input",
        })
    )

    amount = forms.IntegerField(widget=forms.NumberInput(attrs={
        'class': "form-control",
        'min': "1",
        'style': "max-width: 60px",
        'required': "",
193
    }), initial=1, min_value=1)
194 195

    disks = forms.ModelMultipleChoiceField(
196 197 198 199 200 201
        queryset=None, required=False,
        widget=forms.SelectMultiple(attrs={
            'class': "form-control",
            'id': "vm-create-disk-add-form",
        })
    )
202
    networks = forms.ModelMultipleChoiceField(
203 204 205 206 207 208
        queryset=None, required=False,
        widget=forms.SelectMultiple(attrs={
            'class': "form-control",
            'id': "vm-create-network-add-vlan",
        })
    )
209

210 211
    template = forms.CharField(widget=forms.HiddenInput())
    customized = forms.CharField(widget=forms.HiddenInput())
212 213

    def __init__(self, *args, **kwargs):
214 215 216 217
        self.user = kwargs.pop("user", None)
        self.template = kwargs.pop("template", None)
        super(VmCustomizeForm, self).__init__(*args, **kwargs)

218
        if self.user.has_perm("vm.set_resources"):
219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236
            self.allowed_fields = tuple(self.fields.keys())
            # set displayed disk and network list
            self.fields['disks'].queryset = self.template.disks.all()
            self.fields['networks'].queryset = Vlan.get_objects_with_level(
                'user', self.user)

            # set initial for disk and network list
            self.initial['disks'] = self.template.disks.all()
            self.initial['networks'] = InterfaceTemplate.objects.filter(
                template=self.template).values_list("vlan", flat=True)

            # set initial for resources
            self.initial['cpu_priority'] = self.template.priority
            self.initial['cpu_count'] = self.template.num_cores
            self.initial['ram_size'] = self.template.ram_size

        else:
            self.allowed_fields = ("name", "template", "customized", )
237 238 239 240

        # initial name and template pk
        self.initial['name'] = self.template.name
        self.initial['template'] = self.template.pk
241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257
        self.initial['customized'] = True

    def _clean_fields(self):
        for name, field in self.fields.items():
            if name in self.allowed_fields:
                value = field.widget.value_from_datadict(
                    self.data, self.files, self.add_prefix(name))
                try:
                    value = field.clean(value)
                    self.cleaned_data[name] = value
                    if hasattr(self, 'clean_%s' % name):
                        value = getattr(self, 'clean_%s' % name)()
                        self.cleaned_data[name] = value
                except ValidationError as e:
                    self._errors[name] = self.error_class(e.messages)
                    if name in self.cleaned_data:
                        del self.cleaned_data[name]
258

259

260
class GroupCreateForm(NoFormTagMixin, forms.ModelForm):
261

262 263 264
    description = forms.CharField(label=_("Description"), required=False,
                                  widget=forms.Textarea(attrs={'rows': 3}))

265
    def __init__(self, *args, **kwargs):
266
        new_groups = kwargs.pop('new_groups', None)
267
        super(GroupCreateForm, self).__init__(*args, **kwargs)
268 269 270 271 272 273
        choices = [('', '--')]
        if new_groups:
            choices += [(g, g) for g in new_groups if len(g) <= 64]
        self.fields['org_id'] = forms.ChoiceField(
            # TRANSLATORS: directory like in LDAP
            choices=choices, required=False, label=_('Directory identifier'))
274 275 276 277 278 279 280 281
        if new_groups:
            self.fields['org_id'].help_text = _(
                "If you select an item here, the members of this directory "
                "group will be automatically added to the group at the time "
                "they log in. Please note that other users (those with "
                "permissions like yours) may also automatically become a "
                "group co-owner).")
        else:
282
            self.fields['org_id'].widget = HiddenInput()
283

284 285 286 287
    def save(self, commit=True):
        if not commit:
            raise AttributeError('Committing is mandatory.')
        group = super(GroupCreateForm, self).save()
288

289 290 291 292 293
        profile = group.profile
        # multiple blanks were not be unique unlike NULLs are
        profile.org_id = self.cleaned_data['org_id'] or None
        profile.description = self.cleaned_data['description']
        profile.save()
294 295 296 297 298

        return group

    @property
    def helper(self):
299
        helper = super(GroupCreateForm, self).helper
300 301
        helper.add_input(Submit("submit", _("Create")))
        return helper
302 303 304

    class Meta:
        model = Group
305
        fields = ('name', )
306 307


308
class GroupProfileUpdateForm(NoFormTagMixin, forms.ModelForm):
309 310 311

    def __init__(self, *args, **kwargs):
        new_groups = kwargs.pop('new_groups', None)
312
        superuser = kwargs.pop('superuser', False)
313
        super(GroupProfileUpdateForm, self).__init__(*args, **kwargs)
314 315 316 317 318 319 320 321 322
        if not superuser:
            choices = [('', '--')]
            if new_groups:
                choices += [(g, g) for g in new_groups if len(g) <= 64]
            self.fields['org_id'] = forms.ChoiceField(
                choices=choices, required=False,
                label=_('Directory identifier'))
            if not new_groups:
                self.fields['org_id'].widget = HiddenInput()
323 324 325 326
        self.fields['description'].widget = forms.Textarea(attrs={'rows': 3})

    @property
    def helper(self):
327
        helper = super(GroupProfileUpdateForm, self).helper
328 329 330 331 332 333 334 335 336 337 338 339 340 341 342
        helper.add_input(Submit("submit", _("Save")))
        return helper

    def save(self, commit=True):
        profile = super(GroupProfileUpdateForm, self).save(commit=False)
        profile.org_id = self.cleaned_data['org_id'] or None
        if commit:
            profile.save()
        return profile

    class Meta:
        model = GroupProfile
        fields = ('description', 'org_id')


343
class HostForm(NoFormTagMixin, forms.ModelForm):
344 345 346 347

    def setowner(self, user):
        self.instance.owner = user

348 349 350 351 352
    @property
    def helper(self):
        helper = super(HostForm, self).helper
        helper.form_show_labels = False
        helper.layout = Layout(
353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408
            Div(
                Div(  # host
                    Div(
                        AnyTag(
                            'h3',
                            HTML(_("Host")),
                        ),
                        css_class="col-sm-3",
                    ),
                    css_class="row",
                ),
                Div(  # host data
                    Div(  # hostname
                        HTML('<label for="node-hostname-box">'
                             'Name'
                             '</label>'),
                        css_class="col-sm-3",
                    ),
                    Div(  # hostname
                        'hostname',
                        css_class="col-sm-9",
                    ),
                    Div(  # mac
                        HTML('<label for="node-mac-box">'
                             'MAC'
                             '</label>'),
                        css_class="col-sm-3",
                    ),
                    Div(
                        'mac',
                        css_class="col-sm-9",
                    ),
                    Div(  # ip
                        HTML('<label for="node-ip-box">'
                             'IP'
                             '</label>'),
                        css_class="col-sm-3",
                    ),
                    Div(
                        'ipv4',
                        css_class="col-sm-9",
                    ),
                    Div(  # vlan
                        HTML('<label for="node-vlan-box">'
                             'VLAN'
                             '</label>'),
                        css_class="col-sm-3",
                    ),
                    Div(
                        'vlan',
                        css_class="col-sm-9",
                    ),
                    css_class="row",
                ),
            ),
        )
409
        return helper
410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473

    class Meta:
        model = Host
        fields = ['hostname', 'vlan', 'mac', 'ipv4', ]


class NodeForm(forms.ModelForm):

    def __init__(self, *args, **kwargs):
        super(NodeForm, self).__init__(*args, **kwargs)
        self.helper = FormHelper(self)
        self.helper.form_show_labels = False
        self.helper.layout = Layout(
            Div(
                Div(
                    Div(
                        Div(
                            AnyTag(
                                'h3',
                                HTML(_("Node")),
                            ),
                            css_class="col-sm-3",
                        ),
                        css_class="row",
                    ),
                    Div(
                        Div(  # nodename
                            HTML('<label for="node-nodename-box">'
                                 'Name'
                                 '</label>'),
                            css_class="col-sm-3",
                        ),
                        Div(
                            'name',
                            css_class="col-sm-9",
                        ),
                        css_class="row",
                    ),
                    Div(
                        Div(  # priority
                            HTML('<label for="node-nodename-box">'
                                 'Priority'
                                 '</label>'),
                            css_class="col-sm-3",
                        ),
                        Div(
                            'priority',
                            css_class="col-sm-9",
                        ),
                        css_class="row",
                    ),
                    Div(
                        Div(  # enabled
                            HTML('<label for="node-nodename-box">'
                                 'Enabled'
                                 '</label>'),
                            css_class="col-sm-3",
                        ),
                        Div(
                            'enabled',
                            css_class="col-sm-9",
                        ),
                        css_class="row",
                    ),
474
                    Div(  # nested host
475 476 477 478 479 480 481 482 483 484
                        HTML("""{% load crispy_forms_tags %}
                            {% crispy hostform %}
                            """)
                    ),
                    Div(
                        Div(
                            AnyTag(  # tip: don't try to use Button class
                                "button",
                                AnyTag(
                                    "i",
485
                                    css_class="fa fa-play"
486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505
                                ),
                                HTML("Start"),
                                css_id="node-create-submit",
                                css_class="btn btn-success",
                            ),
                            css_class="col-sm-12 text-right",
                        ),
                        css_class="row",
                    ),
                    css_class="col-sm-11",
                ),
                css_class="row",
            ),
        )

    class Meta:
        model = Node
        fields = ['name', 'priority', 'enabled', ]


506
class TemplateForm(forms.ModelForm):
507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533
    # networks = forms.ModelMultipleChoiceField(queryset=None, required=False, label=_("Networks"))
    #
    # num_cores = forms.IntegerField(widget=forms.NumberInput(attrs={
    #     'class': "form-control input-tags cpu-count-input",
    #     'min': 1,
    #     'max': 10,
    #     'required': "",
    # }),
    #     min_value=1, max_value=10,
    # )
    #
    # ram_size = forms.IntegerField(widget=forms.NumberInput(attrs={
    #     'class': "form-control input-tags ram-input",
    #     'min': 128,
    #     'max': MAX_NODE_RAM,
    #     'step': 128,
    #     'required': "",
    # }),
    #     min_value=128, max_value=MAX_NODE_RAM,
    # )
    #
    # priority = forms.ChoiceField(priority_choices, widget=forms.Select(attrs={
    #     'class': "form-control input-tags cpu-priority-input",
    # }))

    name = forms.TextInput()
    flavor = forms.ChoiceField(['a','b','c'])
534

535
    def __init__(self, *args, **kwargs):
536
        self.user = kwargs.pop("user", None)
537
        super(TemplateForm, self).__init__(*args, **kwargs)
538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577
        #
        # self.fields['networks'].queryset = ()#Vlan.get_objects_with_level('user', self.user)
        #
        # data = self.data.copy()
        # data['owner'] = self.user.pk
        # self.data = data
        #
        # if self.instance.pk:
        #     n = self.instance.interface_set.values_list("vlan", flat=True)
        #     self.initial['networks'] = n
        #
        # if self.instance.pk and not self.instance.has_level(self.user, 'owner'):
        #     self.allowed_fields = ()
        # else:
        #     self.allowed_fields = (
        #         'name', 'access_method', 'description', 'system', 'tags',
        #         'arch', 'lease', 'has_agent')
        # if (self.user.has_perm('vm.change_template_resources') or
        #         not self.instance.pk):
        #     self.allowed_fields += tuple(set(self.fields.keys()) -
        #                                  set(['raw_data']))
        # if self.user.is_superuser:
        #     self.allowed_fields += ('raw_data', )
        # for name, field in self.fields.items():
        #     if name not in self.allowed_fields:
        #         field.widget.attrs['disabled'] = 'disabled'
        #
        # if not self.instance.pk and len(self.errors) < 1:
        #     self.initial['num_cores'] = 1
        #     self.initial['priority'] = 10
        #     self.initial['ram_size'] = 512
        #     self.initial['max_ram_size'] = 512
        #
        # lease_queryset = (
        #     Lease.get_objects_with_level("operator", self.user).distinct() |
        #     Lease.objects.filter(pk=self.instance.lease_id).distinct())
        #
        # self.fields["lease"].queryset = lease_queryset
        #
        # self.fields['raw_data'].validators.append(domain_validator)
578

579 580 581 582 583
    def clean_owner(self):
        if self.instance.pk is not None:
            return User.objects.get(pk=self.instance.owner.pk)
        return self.user

584 585 586
    def clean_max_ram_size(self):
        return self.cleaned_data.get("ram_size", 0)

587 588 589 590 591 592 593 594 595 596
    def _clean_fields(self):
        try:
            old = InstanceTemplate.objects.get(pk=self.instance.pk)
        except InstanceTemplate.DoesNotExist:
            old = None
        for name, field in self.fields.items():
            if name in self.allowed_fields:
                value = field.widget.value_from_datadict(
                    self.data, self.files, self.add_prefix(name))
                try:
597
                    value = field.clean(value)
598 599 600 601 602 603 604 605 606 607 608 609 610 611
                    self.cleaned_data[name] = value
                    if hasattr(self, 'clean_%s' % name):
                        value = getattr(self, 'clean_%s' % name)()
                        self.cleaned_data[name] = value
                except ValidationError as e:
                    self._errors[name] = self.error_class(e.messages)
                    if name in self.cleaned_data:
                        del self.cleaned_data[name]
            elif old:
                if name == 'networks':
                    self.cleaned_data[name] = [
                        i.vlan for i in self.instance.interface_set.all()]
                else:
                    self.cleaned_data[name] = getattr(old, name)
612

613 614 615
        if "req_traits" not in self.allowed_fields:
            self.cleaned_data['req_traits'] = self.instance.req_traits.all()

616 617
    def save(self, commit=True):
        data = self.cleaned_data
618 619
        self.instance.max_ram_size = data.get('ram_size')

620
        instance = super(TemplateForm, self).save(commit=True)
621

622
        # create and/or delete InterfaceTemplates
623 624 625
        networks = InterfaceTemplate.objects.filter(
            template=self.instance).values_list("vlan", flat=True)
        for m in data['networks']:
626 627
            if not m.has_level(self.user, "user"):
                raise PermissionDenied()
628 629
            if m.pk not in networks:
                InterfaceTemplate(vlan=m, managed=m.managed,
630 631
                                  template=self.instance).save()
        InterfaceTemplate.objects.filter(
632 633
            template=self.instance).exclude(
            vlan__in=data['networks']).delete()
634 635 636 637 638

        return instance

    @property
    def helper(self):
639 640 641 642 643
        submit_kwargs = {}
        if self.instance.pk and not self.instance.has_level(self.user,
                                                            'owner'):
            submit_kwargs['disabled'] = None

644 645
        helper = FormHelper()
        return helper
646 647 648

    class Meta:
        model = InstanceTemplate
649
        exclude = ('state', 'disks', )
650
        widgets = {
651
            'system': forms.TextInput,
652 653
            'max_ram_size': forms.HiddenInput,
            'parent': forms.Select(attrs={'disabled': ""}),
654
        }
655 656 657 658


class LeaseForm(forms.ModelForm):

659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675
    def __init__(self, *args, **kwargs):
        super(LeaseForm, self).__init__(*args, **kwargs)
        self.generate_fields()

    # e2ae8b048e7198428f696375b8bdcd89e90002d1/django/utils/timesince.py#L10
    def get_intervals(self, delta_seconds):
        chunks = (
            (60 * 60 * 24 * 30, "months"),
            (60 * 60 * 24 * 7, "weeks"),
            (60 * 60 * 24, "days"),
            (60 * 60, "hours"),
        )
        for i, (seconds, name) in enumerate(chunks):
            count = delta_seconds // seconds
            if count != 0:
                break
        re = {'%s' % name: count}
676
        if i + 1 < len(chunks) and i > 0:
677 678 679 680 681 682 683 684 685 686
            seconds2, name2 = chunks[i + 1]
            count2 = (delta_seconds - (seconds * count)) // seconds2
            if count2 != 0:
                re['%s' % name2] = count2
        return re

    def generate_fields(self):
        intervals = ["hours", "days", "weeks", "months"]
        methods = ["suspend", "delete"]
        # feels redundant but these lines are so long
687 688 689 690
        s = (self.instance.suspend_interval.total_seconds()
             if self.instance.pk else 0)
        d = (self.instance.delete_interval.total_seconds()
             if self.instance.pk else 0)
691
        seconds = {
692 693
            'suspend': s,
            'delete': d
694 695 696 697 698 699 700 701
        }
        initial = {
            'suspend': self.get_intervals(int(seconds['suspend'])),
            'delete': self.get_intervals(int(seconds['delete']))
        }
        for m in methods:
            for idx, i in enumerate(intervals):
                self.fields["%s_%s" % (m, i)] = forms.IntegerField(
702
                    min_value=0, widget=NumberInput,
703 704 705 706
                    initial=initial[m].get(i, 0))

    def save(self, commit=True):
        data = self.cleaned_data
707

708 709
        suspend_seconds = timedelta(
            hours=data['suspend_hours'],
710 711
            days=(data['suspend_days'] + data['suspend_months'] % 12 * 30 +
                  data['suspend_months'] / 12 * 365),
712 713 714 715
            weeks=data['suspend_weeks'],
        )
        delete_seconds = timedelta(
            hours=data['delete_hours'],
716 717
            days=(data['delete_days'] + data['delete_months'] % 12 * 30 +
                  data['delete_months'] / 12 * 365),
718 719 720 721 722 723 724 725 726
            weeks=data['delete_weeks'],
        )
        self.instance.delete_interval = delete_seconds
        self.instance.suspend_interval = suspend_seconds
        instance = super(LeaseForm, self).save(commit=False)
        if commit:
            instance.save()
        return instance

727 728 729
    @property
    def helper(self):
        helper = FormHelper()
730 731
        helper.layout = Layout(
            Field('name'),
732 733
            Field("suspend_interval_seconds", type="hidden", value="0"),
            Field("delete_interval_seconds", type="hidden", value="0"),
734
            HTML(string_concat("<label>", _("Suspend in"), "</label>")),
735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757
            Div(
                NumberField("suspend_hours", css_class="form-control"),
                Div(
                    HTML(_("hours")),
                    css_class="input-group-addon",
                ),
                NumberField("suspend_days", css_class="form-control"),
                Div(
                    HTML(_("days")),
                    css_class="input-group-addon",
                ),
                NumberField("suspend_weeks", css_class="form-control"),
                Div(
                    HTML(_("weeks")),
                    css_class="input-group-addon",
                ),
                NumberField("suspend_months", css_class="form-control"),
                Div(
                    HTML(_("months")),
                    css_class="input-group-addon",
                ),
                css_class="input-group interval-input",
            ),
758
            HTML(string_concat("<label>", _("Delete in"), "</label>")),
759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782
            Div(
                NumberField("delete_hours", css_class="form-control"),
                Div(
                    HTML(_("hours")),
                    css_class="input-group-addon",
                ),
                NumberField("delete_days", css_class="form-control"),
                Div(
                    HTML(_("days")),
                    css_class="input-group-addon",
                ),
                NumberField("delete_weeks", css_class="form-control"),
                Div(
                    HTML(_("weeks")),
                    css_class="input-group-addon",
                ),
                NumberField("delete_months", css_class="form-control"),
                Div(
                    HTML(_("months")),
                    css_class="input-group-addon",
                ),
                css_class="input-group interval-input",
            )
        )
783
        helper.add_input(Submit("submit", _("Save changes")))
784 785 786 787
        return helper

    class Meta:
        model = Lease
788
        exclude = ()
789 790


Őry Máté committed
791
class VmRenewForm(OperationForm):
792

793 794 795
    force = forms.BooleanField(required=False, label=_(
        "Set expiration times even if they are shorter than "
        "the current value."))
Őry Máté committed
796 797
    save = forms.BooleanField(required=False, label=_(
        "Save selected lease."))
798

799 800 801 802 803
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        default = kwargs.pop('default')
        super(VmRenewForm, self).__init__(*args, **kwargs)

804
        self.fields['lease'] = forms.ModelChoiceField(
805
            queryset=choices, initial=default, required=False,
806
            empty_label=None, label=_('Length'))
807 808
        if len(choices) < 2:
            self.fields['lease'].widget = HiddenInput()
Őry Máté committed
809
            self.fields['save'].widget = HiddenInput()
810 811


812 813
class VmMigrateForm(forms.Form):
    live_migration = forms.BooleanField(
814 815 816 817 818 819
        required=False, initial=True, label=_("Live migration"),
        help_text=_(
            "Live migration is a way of moving virtual machines between "
            "hosts with a service interruption of at most some seconds. "
            "Please note that it can take very long and cause "
            "much network traffic in case of busy machines."))
820 821 822 823 824 825

    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        default = kwargs.pop('default')
        super(VmMigrateForm, self).__init__(*args, **kwargs)

826
        self.fields['to_node'] = forms.ModelChoiceField(
827
            queryset=choices, initial=default, required=False,
828
            widget=forms.RadioSelect(), label=_("Node"))
829 830


831
class VmStateChangeForm(OperationForm):
832 833 834 835 836

    interrupt = forms.BooleanField(required=False, label=_(
        "Forcibly interrupt all running activities."),
        help_text=_("Set all activities to finished state, "
                    "but don't interrupt any tasks."))
837 838
    new_state = forms.ChoiceField(Instance.STATUS, label=_(
        "New status"))
839
    reset_node = forms.BooleanField(required=False, label=_("Reset node"))
840 841 842

    def __init__(self, *args, **kwargs):
        show_interrupt = kwargs.pop('show_interrupt')
843
        status = kwargs.pop('status')
844 845 846 847
        super(VmStateChangeForm, self).__init__(*args, **kwargs)

        if not show_interrupt:
            self.fields['interrupt'].widget = HiddenInput()
848
        self.fields['new_state'].initial = status
849 850


851
class RedeployForm(OperationForm):
852 853 854 855
    with_emergency_change_state = forms.BooleanField(
        required=False, initial=True, label=_("use emergency state change"))


856
class VmCreateDiskForm(OperationForm):
857 858
    name = forms.CharField(max_length=100, label=_("Name"))
    size = forms.CharField(
Guba Sándor committed
859
        widget=FileSizeWidget, initial=(10 << 30), label=_('Size'),
860 861
        help_text=_('Size of disk to create in bytes or with units '
                    'like MB or GB.'))
862

863 864 865 866 867 868
    def __init__(self, *args, **kwargs):
        default = kwargs.pop('default', None)
        super(VmCreateDiskForm, self).__init__(*args, **kwargs)
        if default:
            self.fields['name'].initial = default

869 870
    def clean_size(self):
        size_in_bytes = self.cleaned_data.get("size")
871
        if not size_in_bytes.isdigit() and len(size_in_bytes) > 0:
872 873 874 875
            raise forms.ValidationError(_("Invalid format, you can use "
                                          " GB or MB!"))
        return size_in_bytes

876

877
class VmDiskResizeForm(OperationForm):
878 879 880 881 882 883 884
    size = forms.CharField(
        widget=FileSizeWidget, initial=(10 << 30), label=_('Size'),
        help_text=_('Size to resize the disk in bytes or with units '
                    'like MB or GB.'))

    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
885
        self.disk = kwargs.pop('default')
886 887 888

        super(VmDiskResizeForm, self).__init__(*args, **kwargs)

889
        self.fields['disk'] = forms.ModelChoiceField(
890
            queryset=choices, initial=self.disk, required=True,
891
            empty_label=None, label=_('Disk'))
892 893
        if self.disk:
            self.fields['disk'].widget = HiddenInput()
894
            self.fields['size'].initial += self.disk.size
895

896 897
    def clean(self):
        cleaned_data = super(VmDiskResizeForm, self).clean()
898
        size_in_bytes = self.cleaned_data.get("size")
899
        disk = self.cleaned_data.get('disk')
900 901 902
        if not size_in_bytes.isdigit() and len(size_in_bytes) > 0:
            raise forms.ValidationError(_("Invalid format, you can use "
                                          " GB or MB!"))
903
        if int(size_in_bytes) < int(disk.size):
904 905 906
            raise forms.ValidationError(_("Disk size must be greater than the "
                                        "actual size."))
        return cleaned_data
907 908 909

    @property
    def helper(self):
910
        helper = super(VmDiskResizeForm, self).helper
911 912
        if self.disk:
            helper.layout = Layout(
913
                HTML(_("<label>Disk:</label> %s") % escape(self.disk)),
914
                Field('disk'), Field('size'))
915 916 917
        return helper


918
class VmDiskRemoveForm(OperationForm):
919 920 921 922 923 924
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        self.disk = kwargs.pop('default')

        super(VmDiskRemoveForm, self).__init__(*args, **kwargs)

925
        self.fields['disk'] = forms.ModelChoiceField(
926
            queryset=choices, initial=self.disk, required=True,
927
            empty_label=None, label=_('Disk'))
928 929 930 931 932
        if self.disk:
            self.fields['disk'].widget = HiddenInput()

    @property
    def helper(self):
933
        helper = super(VmDiskRemoveForm, self).helper
934 935 936 937
        if self.disk:
            helper.layout = Layout(
                AnyTag(
                    "div",
938
                    HTML(_("<label>Disk:</label> %s") % escape(self.disk)),
939 940 941 942 943 944 945
                    css_class="form-group",
                ),
                Field("disk"),
            )
        return helper


946
class VmDownloadDiskForm(OperationForm):
947
    name = forms.CharField(max_length=100, label=_("Name"), required=False)
Guba Sándor committed
948
    url = forms.CharField(label=_('URL'), validators=[URLValidator(), ])
949

950 951 952
    def clean(self):
        cleaned_data = super(VmDownloadDiskForm, self).clean()
        if not cleaned_data['name']:
Bach Dániel committed
953
            if cleaned_data.get('url'):
954 955 956 957 958 959 960 961
                cleaned_data['name'] = urlparse(
                    cleaned_data['url']).path.split('/')[-1]
            if not cleaned_data['name']:
                raise forms.ValidationError(
                    _("Could not find filename in URL, "
                      "please specify a name explicitly."))
        return cleaned_data

962

963 964 965 966 967 968 969
class VmRemoveInterfaceForm(OperationForm):
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        self.interface = kwargs.pop('default')

        super(VmRemoveInterfaceForm, self).__init__(*args, **kwargs)

970
        self.fields['interface'] = forms.ModelChoiceField(
971
            queryset=choices, initial=self.interface, required=True,
972
            empty_label=None, label=_('Interface'))
973 974 975 976 977 978 979 980 981 982 983 984 985 986 987
        if self.interface:
            self.fields['interface'].widget = HiddenInput()

    @property
    def helper(self):
        helper = super(VmRemoveInterfaceForm, self).helper
        if self.interface:
            helper.layout = Layout(
                AnyTag(
                    "div",
                    HTML(format_html(
                        _("<label>Vlan:</label> {0}"),
                        self.interface.vlan)),
                    css_class="form-group",
                ),
Bach Dániel committed
988
                Field("interface"),
989 990 991 992
            )
        return helper


993
class VmAddInterfaceForm(OperationForm):
994 995 996 997

    network_type = 'vlan'
    label = _('Vlan')

998 999 1000 1001
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        super(VmAddInterfaceForm, self).__init__(*args, **kwargs)

1002 1003
        field = forms.ChoiceField(
            choices=choices, required=False,
1004
            label=self.label)
1005 1006 1007
        if not choices:
            field.widget.attrs['disabled'] = 'disabled'
            field.empty_label = _('No more networks.')
1008 1009 1010 1011 1012 1013 1014
        self.fields[self.network_type] = field


class VmAddUserInterfaceForm(VmAddInterfaceForm):

    network_type = 'vxlan'
    label = _('Vxlan')
1015 1016


1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038
class DeployChoiceField(forms.ModelChoiceField):
    def __init__(self, *args, **kwargs):
        self.instance = kwargs.pop("instance")
        super(DeployChoiceField, self).__init__(*args, **kwargs)

    def label_from_instance(self, obj):
        traits = set(obj.traits.all())
        req_traits = set(self.instance.req_traits.all())
        # if the subset is empty the node satisfies the required traits
        subset = req_traits - traits

        label = "%s %s" % (
            "&#xf071" if subset else "&#xf00c;", escape(obj.name),
        )

        if subset:
            missing_traits = ", ".join(map(lambda x: escape(x.name), subset))
            label += _(" (missing_traits: %s)") % missing_traits

        return mark_safe(label)


1039
class VmDeployForm(OperationForm):
1040 1041 1042

    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices', None)
1043
        instance = kwargs.pop('instance', None)
1044 1045 1046 1047

        super(VmDeployForm, self).__init__(*args, **kwargs)

        if choices is not None:
1048
            self.fields['node'] = DeployChoiceField(
1049
                queryset=choices, required=False, label=_('Node'), help_text=_(
1050
                    "Deploy virtual machine to this node "
1051 1052 1053 1054
                    "(blank allows scheduling automatically)."),
                widget=forms.Select(attrs={
                    'class': "font-awesome-font",
                }), instance=instance
1055
            )
1056 1057


1058 1059 1060 1061 1062 1063 1064
class VmPortRemoveForm(OperationForm):
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        self.rule = kwargs.pop('default')

        super(VmPortRemoveForm, self).__init__(*args, **kwargs)

1065
        self.fields['rule'] = forms.ModelChoiceField(
1066
            queryset=choices, initial=self.rule, required=True,
1067
            empty_label=None, label=_('Port'))
1068 1069 1070 1071
        if self.rule:
            self.fields['rule'].widget = HiddenInput()


1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083
class VmPortAddForm(OperationForm):
    port = forms.IntegerField(required=True, label=_('Port'),
                              min_value=1, max_value=65535)
    proto = forms.ChoiceField((('tcp', 'tcp'), ('udp', 'udp')),
                              required=True, label=_('Protocol'))

    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        self.host = kwargs.pop('default')

        super(VmPortAddForm, self).__init__(*args, **kwargs)

1084
        self.fields['host'] = forms.ModelChoiceField(
1085
            queryset=choices, initial=self.host, required=True,
1086
            empty_label=None, label=_('Host'))
1087 1088 1089 1090 1091 1092 1093 1094 1095 1096
        if self.host:
            self.fields['host'].widget = HiddenInput()

    @property
    def helper(self):
        helper = super(VmPortAddForm, self).helper
        if self.host:
            helper.layout = Layout(
                AnyTag(
                    "div",
1097 1098
                    HTML(format_html(
                        _("<label>Host:</label> {0}"), self.host)),
1099 1100 1101 1102 1103 1104 1105 1106 1107
                    css_class="form-group",
                ),
                Field("host"),
                Field("proto"),
                Field("port"),
            )
        return helper


1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121
class CircleAuthenticationForm(AuthenticationForm):
    # fields: username, password

    @property
    def helper(self):
        helper = FormHelper()
        helper.form_show_labels = False
        helper.layout = Layout(
            AnyTag(
                "div",
                AnyTag(
                    "span",
                    AnyTag(
                        "i",
1122
                        css_class="fa fa-user",
1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135
                    ),
                    css_class="input-group-addon",
                ),
                Field("username", placeholder=_("Username"),
                      css_class="form-control"),
                css_class="input-group",
            ),
            AnyTag(
                "div",
                AnyTag(
                    "span",
                    AnyTag(
                        "i",
1136
                        css_class="fa fa-lock",
1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149
                    ),
                    css_class="input-group-addon",
                ),
                Field("password", placeholder=_("Password"),
                      css_class="form-control"),
                css_class="input-group",
            ),
        )
        helper.add_input(Submit("submit", _("Sign in"),
                                css_class="btn btn-success"))
        return helper


1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163
class CirclePasswordResetForm(PasswordResetForm):
    # fields: email

    @property
    def helper(self):
        helper = FormHelper()
        helper.form_show_labels = False
        helper.layout = Layout(
            AnyTag(
                "div",
                AnyTag(
                    "span",
                    AnyTag(
                        "i",
1164
                        css_class="fa fa-envelope",
1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194
                    ),
                    css_class="input-group-addon",
                ),
                Field("email", placeholder=_("Email address"),
                      css_class="form-control"),
                Div(
                    AnyTag(
                        "button",
                        HTML(_("Reset password")),
                        css_class="btn btn-success",
                    ),
                    css_class="input-group-btn",
                ),
                css_class="input-group",
            ),
        )
        return helper


class CircleSetPasswordForm(SetPasswordForm):

    @property
    def helper(self):
        helper = FormHelper()
        helper.add_input(Submit("submit", _("Change password"),
                                css_class="btn btn-success change-password",
                                css_id="submit-password-button"))
        return helper


1195
class LinkButton(BaseInput):
1196

1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212
    """
    Used to create a link button descriptor for the {% crispy %} template tag::

        back = LinkButton('back', 'Back', reverse_lazy('index'))

    .. note:: The first argument is also slugified and turned into the id for
              the submit button.
    """
    template = "bootstrap/layout/linkbutton.html"
    field_classes = 'btn btn-default'

    def __init__(self, name, text, url, *args, **kwargs):
        self.href = url
        super(LinkButton, self).__init__(name, text, *args, **kwargs)


1213 1214 1215 1216
class NumberInput(TextInput):
    input_type = "number"


1217 1218 1219 1220
class NumberField(Field):
    template = "crispy_forms/numberfield.html"

    def __init__(self, *args, **kwargs):
1221
        kwargs['min'] = 0
1222 1223 1224
        super(NumberField, self).__init__(*args, **kwargs)


1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237
class AnyTag(Div):
    template = "crispy_forms/anytag.html"

    def __init__(self, tag, *fields, **kwargs):
        self.tag = tag
        super(AnyTag, self).__init__(*fields, **kwargs)

    def render(self, form, form_style, context, template_pack=TEMPLATE_PACK):
        fields = ''
        for field in self.fields:
            fields += render_field(field, form, form_style, context,
                                   template_pack=template_pack)

1238
        return render_to_string(self.template, {'tag': self, 'fields': fields})
1239 1240 1241


class WorkingBaseInput(BaseInput):
1242

1243 1244 1245 1246
    def __init__(self, name, value, input_type="text", **kwargs):
        self.input_type = input_type
        self.field_classes = ""  # we need this for some reason
        super(WorkingBaseInput, self).__init__(name, value, **kwargs)
1247 1248 1249 1250 1251 1252 1253 1254 1255 1256


class TraitForm(forms.ModelForm):

    def __init__(self, *args, **kwargs):
        super(TraitForm, self).__init__(*args, **kwargs)
        self.helper = FormHelper(self)
        self.helper.form_show_labels = False
        self.helper.layout = Layout(
            Div(
1257 1258
                Field('name', id="node-details-traits-input",
                      css_class="input-sm input-traits"),
1259
                Div(
1260 1261
                    Submit("submit", _("Add trait"),
                           css_class="btn btn-primary btn-sm input-traits"),
1262
                    css_class="input-group-btn",
1263
                ),
1264 1265
                css_class="input-group",
                id="node-details-traits-form",
1266 1267 1268 1269 1270 1271
            ),
        )

    class Meta:
        model = Trait
        fields = ['name']
1272 1273 1274


class MyProfileForm(forms.ModelForm):
Kálmán Viktor committed
1275 1276 1277 1278
    preferred_language = forms.ChoiceField(
        LANGUAGES_WITH_CODE,
        label=_("Preferred language"),
    )
1279 1280

    class Meta:
1281
        fields = ('preferred_language', 'email_notifications',
1282
                  'desktop_notifications', 'use_gravatar', )
1283 1284 1285 1286 1287
        model = Profile

    @property
    def helper(self):
        helper = FormHelper()
1288
        helper.add_input(Submit("submit", _("Save")))
1289 1290 1291 1292 1293
        return helper

    def save(self, *args, **kwargs):
        value = super(MyProfileForm, self).save(*args, **kwargs)
        return value
1294 1295


1296 1297 1298 1299 1300 1301 1302 1303 1304
class UnsubscribeForm(forms.ModelForm):

    class Meta:
        fields = ('email_notifications', )
        model = Profile

    @property
    def helper(self):
        helper = FormHelper()
1305
        helper.add_input(Submit("submit", _("Save")))
1306 1307 1308
        return helper


1309 1310 1311 1312 1313 1314 1315 1316 1317
class CirclePasswordChangeForm(PasswordChangeForm):

    @property
    def helper(self):
        helper = FormHelper()
        helper.add_input(Submit("submit", _("Change password"),
                                css_class="btn btn-primary",
                                css_id="submit-password-button"))
        return helper
1318 1319 1320


class UserCreationForm(OrgUserCreationForm):
1321 1322 1323 1324 1325 1326 1327 1328 1329
    def __init__(self, *args, **kwargs):
        choices = kwargs.pop('choices')
        group = kwargs.pop('default')

        super(UserCreationForm, self).__init__(*args, **kwargs)

        self.fields['groups'] = forms.ModelMultipleChoiceField(
            queryset=choices, initial=[group], required=False,
            label=_('Groups'))
1330 1331 1332

    class Meta:
        model = User
1333
        fields = ("username", 'email', 'first_name', 'last_name', 'groups')
1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347

    @property
    def helper(self):
        helper = FormHelper()
        helper.layout = Layout('username', 'password1', 'password2', 'email',
                               'first_name', 'last_name')
        helper.add_input(Submit("submit", _("Save")))
        return helper

    def save(self, commit=True):
        user = super(UserCreationForm, self).save(commit=False)
        user.set_password(self.cleaned_data["password1"])
        if commit:
            user.save()
1348
            user.groups.add(*self.cleaned_data["groups"])
1349
        return user
1350 1351


1352 1353 1354 1355
class UserEditForm(forms.ModelForm):
    instance_limit = forms.IntegerField(
        label=_('Instance limit'),
        min_value=0, widget=NumberInput)
1356 1357 1358
    network_limit = forms.IntegerField(
        label=_('Virtual network limit'),
        min_value=0, widget=NumberInput)
1359 1360 1361 1362
    two_factor_secret = forms.CharField(
        label=_('Two-factor authentication secret'),
        help_text=_("Remove the secret key to disable two-factor "
                    "authentication for this user."), required=False)
1363 1364 1365 1366 1367

    def __init__(self, *args, **kwargs):
        super(UserEditForm, self).__init__(*args, **kwargs)
        self.fields["instance_limit"].initial = (
            self.instance.profile.instance_limit)
1368 1369
        self.fields["network_limit"].initial = (
            self.instance.profile.network_limit)
1370 1371
        self.fields["two_factor_secret"].initial = (
            self.instance.profile.two_factor_secret)
1372 1373 1374 1375

    class Meta:
        model = User
        fields = ('email', 'first_name', 'last_name', 'instance_limit',
1376
                  'network_limit', 'is_active', 'two_factor_secret', )
1377 1378 1379 1380 1381

    def save(self, commit=True):
        user = super(UserEditForm, self).save()
        user.profile.instance_limit = (
            self.cleaned_data['instance_limit'] or None)
1382 1383
        user.profile.network_limit = (
            self.cleaned_data['network_limit'] or None)
1384 1385
        user.profile.two_factor_secret = (
            self.cleaned_data['two_factor_secret'] or None)
1386
        user.profile.save()
1387
        return user
1388

1389 1390 1391 1392 1393 1394
    @property
    def helper(self):
        helper = FormHelper()
        helper.add_input(Submit("submit", _("Save")))
        return helper

1395

1396
class AclUserOrGroupAddForm(forms.Form):
1397 1398 1399 1400 1401 1402
    name = forms.CharField(
        widget=autocomplete.ListSelect2(
            url='autocomplete.acl.user-group',
            attrs={'class': 'form-control',
                   'data-html': 'true',
                   'data-placeholder': _("Name of group or user")}))
1403

1404

1405 1406
class TransferOwnershipForm(forms.Form):
    name = forms.CharField(
1407 1408
        widget=autocomplete.ListSelect2(
            url='autocomplete.acl.user',
Kálmán Viktor committed
1409
            attrs={'class': 'form-control',
1410 1411
                   'data-html': 'true',
                   'data-placeholder': _("Name of user")}),
1412 1413
        label=_("E-mail address or identifier of user"))

1414

1415 1416
class AddGroupMemberForm(forms.Form):
    new_member = forms.CharField(
1417 1418
        widget=autocomplete.ListSelect2(
            url='autocomplete.acl.user',
Kálmán Viktor committed
1419
            attrs={'class': 'form-control',
1420 1421
                   'data-html': 'true',
                   'data-placeholder': _("Name of user")}),
1422 1423 1424
        label=_("E-mail address or identifier of user"))


1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449
class UserKeyForm(forms.ModelForm):
    name = forms.CharField(required=True, label=_('Name'))
    key = forms.CharField(
        label=_('Key'), required=True,
        help_text=_('For example: ssh-rsa AAAAB3NzaC1yc2ED...'),
        widget=forms.Textarea(attrs={'rows': 5}))

    class Meta:
        fields = ('name', 'key')
        model = UserKey

    @property
    def helper(self):
        helper = FormHelper()
        helper.add_input(Submit("submit", _("Save")))
        return helper

    def __init__(self, *args, **kwargs):
        self.user = kwargs.pop("user", None)
        super(UserKeyForm, self).__init__(*args, **kwargs)

    def clean(self):
        if self.user:
            self.instance.user = self.user
        return super(UserKeyForm, self).clean()
1450 1451


Guba Sándor committed
1452 1453
class ConnectCommandForm(forms.ModelForm):
    class Meta:
1454
        fields = ('name', 'access_method', 'template')
Guba Sándor committed
1455 1456 1457
        model = ConnectCommand

    def __init__(self, *args, **kwargs):
1458
        self.user = kwargs.pop("user")
Guba Sándor committed
1459 1460 1461 1462 1463
        super(ConnectCommandForm, self).__init__(*args, **kwargs)

    def clean(self):
        if self.user:
            self.instance.user = self.user
1464

Guba Sándor committed
1465 1466 1467
        return super(ConnectCommandForm, self).clean()


1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504
# class TraitsForm(forms.ModelForm):
#
#     class Meta:
#         model = Instance
#         fields = ('req_traits', )
#
#     @property
#     def helper(self):
#         helper = FormHelper()
#         helper.form_show_labels = False
#         helper.form_action = reverse_lazy("dashboard.views.vm-traits",
#                                           kwargs={'pk': self.instance.pk})
#         helper.add_input(Submit("submit", _("Save"),
#                                 css_class="btn btn-success", ))
#         return helper
#
#
# class RawDataForm(forms.ModelForm):
#     raw_data = forms.CharField(validators=[domain_validator],
#                                widget=forms.Textarea(attrs={'rows': 5}),
#                                required=False)
#
#     class Meta:
#         model = Instance
#         fields = ('raw_data', )
#
#     @property
#     def helper(self):
#         helper = FormHelper()
#         helper.form_show_labels = False
#         helper.form_action = reverse_lazy("dashboard.views.vm-raw-data",
#                                           kwargs={'pk': self.instance.pk})
#         helper.add_input(Submit("submit", _("Save"),
#                                 css_class="btn btn-success",
#                                 css_id="submit-password-button"))
#         return helper
#
1505 1506 1507

class GroupPermissionForm(forms.ModelForm):
    permissions = forms.ModelMultipleChoiceField(
1508
        queryset=None,
1509 1510 1511
        widget=FilteredSelectMultiple(_("permissions"), is_stacked=False)
    )

1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551
    def get_filtered_permissions(self):
        """ Collected with this + djcelery source
        def get_model_classes_in_module(module):
            import sys
            import inspect
            from django.db.models import Model
            classes = []
            for name, obj in inspect.getmembers(sys.modules[module]):
                if inspect.isclass(obj) and issubclass(obj, Model):
                    classes.append(name.lower())
            return classes
        """
        excluded_objs = [
            "tag", "taggeditem", "level", "objectlevel",
            "permission", "contenttype", "migrationhistory", "site",
            "session", "intervalschedule", "crontabschedule", "periodictask",
            "periodictasks", "workerstate", "taskstate", "taskmeta",
            "tasksetmeta", "logentry",
            "baseresourceconfigmodel", "instance", "instanceactivity",
            "instancetemplate", "interface", "interfacetemplate", "lease",
            "namedbaseresourceconfig", "node", "nodeactivity", "trait",
            "virtualmachinedescmodel", "aclbase", "connectcommand",
            "favourite", "futuremember", "groupprofile", "model",
            "notification", "profile", "timestampedmodel", "userkey",
            "datastore", "disk", "model", "timestampedmodel", "aclbase",
            "blacklistitem", "domain", "ethernetdevice", "firewall",
            "host", "record", "rule", "switchport",
            "vlan", "vlangroup", "sender",
        ]

        exclude_add = ["add_%s" % l for l in excluded_objs]
        exclude_change = ["change_%s" % l for l in excluded_objs]
        exclude_delete = ["delete_%s" % l for l in excluded_objs + ["user"]]
        return Permission.objects.exclude(codename__in=exclude_add).exclude(
            codename__in=exclude_change).exclude(codename__in=exclude_delete)

    def __init__(self, *args, **kwargs):
        super(GroupPermissionForm, self).__init__(*args, **kwargs)
        self.fields['permissions'].queryset = self.get_filtered_permissions()

1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565
    class Meta:
        model = Group
        fields = ('permissions', )

    @property
    def helper(self):
        helper = FormHelper()
        helper.form_show_labels = False
        helper.form_action = reverse_lazy(
            "dashboard.views.group-permissions",
            kwargs={'group_pk': self.instance.pk})
        helper.add_input(Submit("submit", _("Save"),
                                css_class="btn btn-success", ))
        return helper
1566 1567 1568


class VmResourcesForm(forms.ModelForm):
1569
    num_cores = forms.IntegerField(widget=forms.NumberInput(attrs={
1570 1571 1572 1573
        'class': "form-control input-tags cpu-count-input",
        'min': 1,
        'max': 10,
        'required': "",
1574 1575 1576
    }),
        min_value=1, max_value=10,
    )
1577

1578
    ram_size = forms.IntegerField(widget=forms.NumberInput(attrs={
1579 1580 1581 1582 1583
        'class': "form-control input-tags ram-input",
        'min': 128,
        'max': MAX_NODE_RAM,
        'step': 128,
        'required': "",
1584 1585 1586
    }),
        min_value=128, max_value=MAX_NODE_RAM,
    )
1587 1588 1589 1590 1591

    priority = forms.ChoiceField(priority_choices, widget=forms.Select(attrs={
        'class': "form-control input-tags cpu-priority-input",
    }))

1592 1593 1594 1595 1596 1597 1598 1599
    def __init__(self, *args, **kwargs):
        self.can_edit = kwargs.pop("can_edit", None)
        super(VmResourcesForm, self).__init__(*args, **kwargs)

        if not self.can_edit:
            for name, field in self.fields.items():
                field.widget.attrs['disabled'] = "disabled"

1600 1601 1602
    class Meta:
        model = Instance
        fields = ('num_cores', 'priority', 'ram_size', )
1603 1604


1605 1606 1607 1608
class VmRenameForm(forms.Form):
    new_name = forms.CharField()


1609
vm_search_choices = (
1610 1611
    ("owned", _("owned")),
    ("shared", _("shared")),
1612
    ("shared_with_me", _("shared with me")),
1613
    ("all", _("all")),
1614 1615 1616 1617
)


class VmListSearchForm(forms.Form):
1618 1619
    use_required_attribute = False

1620 1621
    s = forms.CharField(widget=forms.TextInput(attrs={
        'class': "form-control input-tags",
Kálmán Viktor committed
1622
        'placeholder': _("Search...")
1623 1624 1625
    }))

    stype = forms.ChoiceField(vm_search_choices, widget=forms.Select(attrs={
1626 1627 1628 1629 1630 1631
        'class': "btn btn-default form-control input-tags",
        'style': "min-width: 80px;",
    }))

    include_deleted = forms.BooleanField(widget=forms.CheckboxInput(attrs={
        'id': "vm-list-search-checkbox",
1632
    }))
Kálmán Viktor committed
1633 1634 1635 1636 1637 1638

    def __init__(self, *args, **kwargs):
        super(VmListSearchForm, self).__init__(*args, **kwargs)
        # set initial value, otherwise it would be overwritten by request.GET
        if not self.data.get("stype"):
            data = self.data.copy()
1639
            data['stype'] = "all"
Kálmán Viktor committed
1640
            self.data = data
1641 1642 1643


class TemplateListSearchForm(forms.Form):
1644 1645
    use_required_attribute = False

1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659
    s = forms.CharField(widget=forms.TextInput(attrs={
        'class': "form-control input-tags",
        'placeholder': _("Search...")
    }))

    stype = forms.ChoiceField(vm_search_choices, widget=forms.Select(attrs={
        'class': "btn btn-default input-tags",
    }))

    def __init__(self, *args, **kwargs):
        super(TemplateListSearchForm, self).__init__(*args, **kwargs)
        # set initial value, otherwise it would be overwritten by request.GET
        if not self.data.get("stype"):
            data = self.data.copy()
1660
            data['stype'] = "owned"
1661
            self.data = data
1662 1663 1664


class UserListSearchForm(forms.Form):
1665 1666
    use_required_attribute = False

1667 1668 1669 1670
    s = forms.CharField(widget=forms.TextInput(attrs={
        'class': "form-control input-tags",
        'placeholder': _("Search...")
    }))
1671 1672


1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692
class DataStoreForm(ModelForm):

    @property
    def helper(self):
        helper = FormHelper()
        helper.layout = Layout(
            Fieldset(
                '',
                'name',
                'path',
                'hostname',
            ),
            FormActions(
                Submit('submit', _('Save')),
            )
        )
        return helper

    class Meta:
        model = DataStore
1693
        fields = ("name", "path", "hostname", )
1694 1695 1696


class DiskForm(ModelForm):
1697 1698 1699
    created = forms.DateTimeField()
    modified = forms.DateTimeField()

1700 1701 1702 1703 1704
    def __init__(self, *args, **kwargs):
        super(DiskForm, self).__init__(*args, **kwargs)

        for k, v in self.fields.iteritems():
            v.widget.attrs['readonly'] = True
1705 1706
        self.fields['created'].initial = self.instance.created
        self.fields['modified'].initial = self.instance.modified
1707 1708 1709

    class Meta:
        model = Disk
1710 1711
        fields = ("name", "filename", "datastore", "type", "bus", "size",
                  "base", "dev_num", "destroyed", "is_ready", )
1712 1713 1714 1715 1716


class MessageForm(ModelForm):
    class Meta:
        model = Message
1717
        fields = ("message", "enabled", "effect", "start", "end")
1718 1719
        help_texts = {
            'start': _("Start time of the message in "
1720
                       "YYYY-MM-DD hh:mm:ss format."),
1721
            'end': _("End time of the message in "
1722
                     "YYYY-MM-DD hh:mm:ss format."),
1723 1724 1725 1726 1727 1728 1729 1730 1731
            'effect': _('The color of the message box defined by the '
                        'respective '
                        '<a href="http://getbootstrap.com/components/#alerts">'
                        'Bootstrap class</a>.')
        }
        labels = {
            'start': _("Start time"),
            'end': _("End time")
        }
1732 1733 1734 1735 1736 1737

    @property
    def helper(self):
        helper = FormHelper()
        helper.add_input(Submit("submit", _("Save")))
        return helper
1738 1739 1740 1741 1742 1743 1744 1745


class TwoFactorForm(ModelForm):
    class Meta:
        model = Profile
        fields = ["two_factor_secret", ]


1746
class TwoFactorConfirmationForm(forms.Form):
1747
    confirmation_code = forms.CharField(
1748
        label=_('Two-factor authentication passcode'),
1749 1750 1751
        help_text=_("Get the code from your authenticator."),
        widget=forms.TextInput(attrs={'autofocus': True})
    )
1752 1753 1754

    def __init__(self, user, *args, **kwargs):
        self.user = user
1755
        super(TwoFactorConfirmationForm, self).__init__(*args, **kwargs)
1756 1757 1758 1759 1760

    def clean_confirmation_code(self):
        totp = pyotp.TOTP(self.user.profile.two_factor_secret)
        if not totp.verify(self.cleaned_data.get('confirmation_code')):
            raise ValidationError(_("Invalid confirmation code."))