Почему я получаю пустую форму? Как автоматически создавать модели Iniline? - PullRequest
4 голосов
/ 02 апреля 2019

На одной странице 2 forms.

Есть 2 модели: 1. Product. 2. SpeciallyPrice. SpeciallyPrice связан через FK с Product. В то же время, SpeciallyPrice является Inline модель в Product.

Поля SpecialPriceForm автоматически создаются с использованием JS . То есть они могут быть n -ым числом. Необходимо создать запись для каждого создаваемого поля. В принципе, я догадываюсь, как это сделать - использовать цикл для получения полученных значений. Но проблема в том, что по какой-то причине Нет происходит от form. Пожалуйста, помогите мне.

class ProductsCreate(CreateView):
    model = Product
    form_class = ProductCreateForm
    http_method_names = ['get', 'post']

    def get_initial(self):
        initial = super(ProductsCreate, self).get_initial()
        initial['request'] = self.request

        return initial

    def get_context_data(self, *args, **kwargs):
        ctx=super(ProductsCreate, self).get_context_data(*args, **kwargs)
        ctx['special_form'] = SpeciallyPriceForm()
        return ctx

    def get(self, request, *args, **kwargs):
        self.object = None
        if kwargs.get('slug'):
            category = Category.objects.filter(slug=kwargs.get('slug')).first()
            self.initial.update({'category': category})
        return self.render_to_response(self.get_context_data())


    def post(self, request, *args, **kwargs):
        self.object = None
        form = ProductCreateForm(request.POST, request.FILES, initial={'request': request})
        special_form = SpeciallyPriceForm(request.POST)
        print(special_form)           #Template of form, without values.
        if form.is_valid() and special_form.is_valid():
            return self.form_valid(form, special_form)
        else:
            return self.form_invalid(form, special_form)

    def form_valid(self, form, special_form):
        product = form.save(commit=False)
        product.user = self.request.user
        product.save()

        special = special_form.save(commit=False)
        #Here I think, depending on the number of list items, to cycle through it and create the corresponding number of `special` records associated with this` product`. Is the logic correct?
        special.product = product
        special.save()

        for spec_price in special_form.cleaned_data.get('adittional_specially_price'):
            print(spec_price)
            special.adittional_specially_price = spec_price
        for spec_numb in special_form.cleaned_data.get('adittional_specially_number'):
            print(spec_numb)
            special.adittional_specially_number = spec_numb

Форма

class SpeciallyPriceForm(forms.ModelForm): 
    class Meta: 
        model = SpeciallyPrice 
        fields = ['adittional_specially_price', 'adittional_specially_number']

    def clean(self):
        cleaned_data = super(SpeciallyPriceForm, self).clean()
        cd_adittional_specially_price = cleaned_data.get('adittional_specially_price')
        print(cd_adittional_specially_price)   #None
        cd_adittional_specially_number = cleaned_data.get('adittional_specially_number')
        print(cd_adittional_specially_number)  #None

шаблон + JS

<html><body>
Special price from {{ special_form.adittional_specially_price }} kg {{ special_form.adittional_specially_number }} usd

    <script>
        (function(){
            var copy = document.querySelector('.field.inline.specially').cloneNode(true);
            document.querySelector('html').addEventListener('input', function(e){
                if(e.target.classList.contains('event') && e.target.tagName == 'INPUT'){
                    var error = 0;
                    for(var evt of document.querySelectorAll('.field.inline.specially input.event')){
                        evt.value = evt.value.replace(/[^\d]/,'');
                        if(!evt.value || +evt.value < 1) error++;
                    }
                    if(!error){
                        var last = document.querySelectorAll('.field.inline.specially');
                        last[last.length-1].insertAdjacentHTML('afterEnd', copy.outerHTML);
                    }
                }
            });
        })();
    </script>
</body></html>

Эту форму я получаю в просмотрах, когда печатаю form для проверки

<label for="specially" class="subhead">Special price from</label>
<span class="id_specially_price"><input type="text" name="adittional_specially_price" style="width: 165px" class="event" id="id_adittional_specially_price"></span>
<span>kg</span>
<span class="id_specially_number"><input type="text" name="adittional_specially_number" style="width: 100px" class="event" id="id_adittional_specially_number"></span>
<span>usd</span>

Я посмотрел в views - форма отображается там, но только с одним полем, а не со всем. И форма пуста .. Как решить эту проблему? Может быть Ajax должен быть подключен и он как-то обрабатывает запрос? Или есть еще вариант Django ?

1 Ответ

2 голосов
/ 03 апреля 2019

Отвечая на этот бит комментариев: «И действительно, приходят последние два пустых, созданные с полями JS. Как заставить все поля приходить, скажите, пожалуйста?»

Чтобы сохранить встроенный набор форм в CBV:

def form_valid(self, form):
    context = self.get_context_data()
    inline_form = context['inline_form']
    if inline_form.is_valid():
        self.object = form.save()
        inline_form.instance = self.object
        inline_form.save()

Очевидно, вам придется использовать правильное имя для inline_form в пределах context.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...