Django получил неожиданный аргумент ключевого слова

Вопрос: Я пытаюсь создать архив, чтобы перейти к представлению аргументов год и месяц. Тем не менее, я получаю сообщение об ошибке с приведенным ниже кодом, и я не могу понять, что это значит и как его решить: Exception Type: TypeError Exception Value: archive() got an unexpected keyword argument 'year_id' Exception Location: /usr/local/lib/python2.7/dist-packages/django/core/handlers/base.py in get_response, line

Вопрос:

Я пытаюсь создать архив, чтобы перейти к представлению аргументов год и месяц.

Тем не менее, я получаю сообщение об ошибке с приведенным ниже кодом, и я не могу понять, что это значит и как его решить:

Exception Type: TypeError Exception Value: archive() got an unexpected keyword argument ‘year_id’ Exception Location: /usr/local/lib/python2.7/dist-packages/django/core/handlers/base.py in get_response, line 115

Что может быть неправильным?

Views.py

def mkmonth_lst(): if not Post.objects.count(): return [] # set up vars year, month = time.localtime()[:2] first = Post.objects.order_by(«created»)[0] fyear = first.created.year fmonth = first.created.month months = [] # loop over years and months for y in range(year, fyear-1, -1): start, end = 12, 0 if y == year: start = month if y == fyear: end = fmonth-1 for m in range(start, end, -1): months.append((y, m, month_name[m])) return months def archive(request, year, month): posts = Post.objects.filter(created__year=year, created__month=month) context = {‘PostList’: posts, ‘Months’: mkmonth_lst()} return(render, ‘archives.html’, context)

urls.py

url(r’^archives/(?P<year_id>d+)/(?P<month_id>d+)$’, views.archive, name=’archives’),

Обновить:

Models.py

class Post(models.Model): title = models.CharField(max_length=100) body = models.TextField() created = models.DateTimeField(auto_now_add=True) url = models.URLField(null=True, blank=True) video = models.FileField(upload_to = ‘video’, verbose_name = ‘Video’, null=True, blank=True) picture = models.ImageField(upload_to = ‘post’, verbose_name = ‘Picture’) tags = TaggableManager() def __unicode__(self): return self.title

шаблон

<h3>Archivo</h3> <p> {% for month in months %} {% ifchanged month.0 %} {{ month.0 }} <br /> {% endifchanged %} <a href=»/blog/archives/{{month.0}}/{{month.1}}»>{{ month.2 }}</a> <br /> {% endfor %} </p>

Обновление 2: ошибка

usr/local/lib/python2.7/dist-packages/django/core/handlers/base.py in get_response response = middleware_method(request, response) … /usr/local/lib/python2.7/dist-packages/django/middleware/common.py in process_response if response.status_code == 404: … Request Method: GET Request URL: Django Version: 1.5 Exception Type: AttributeError Exception Value: ‘tuple’ object has no attribute ‘status_code’ Exception Location: /usr/local/lib/python2.7/dist-packages/django/middleware/common.py in process_response, line 106 Python Executable: /usr/bin/python Python Version: 2.7.3 Python Path: [‘/home/fernando/develop/blogmanage’, ‘/usr/local/lib/python2.7/dist-packages/django_mptt-0.6.0-py2.7.egg’, ‘/usr/local/lib/python2.7/dist-packages’, ‘/usr/lib/python2.7’, ‘/usr/lib/python2.7/plat-linux2’, ‘/usr/lib/python2.7/lib-tk’, ‘/usr/lib/python2.7/lib-old’, ‘/usr/lib/python2.7/lib-dynload’, ‘/usr/local/lib/python2.7/dist-packages’, ‘/usr/lib/python2.7/dist-packages’, ‘/usr/lib/python2.7/dist-packages/PIL’, ‘/usr/lib/python2.7/dist-packages/gst-0.10’, ‘/usr/lib/python2.7/dist-packages/gtk-2.0’, ‘/usr/lib/pymodules/python2.7’, ‘/usr/lib/python2.7/dist-packages/ubuntu-sso-client’, ‘/usr/lib/python2.7/dist-packages/ubuntuone-client’, ‘/usr/lib/python2.7/dist-packages/ubuntuone-control-panel’, ‘/usr/lib/python2.7/dist-packages/ubuntuone-couch’, ‘/usr/lib/python2.7/dist-packages/ubuntuone-installer’, ‘/usr/lib/python2.7/dist-packages/ubuntuone-storage-protocol’] Server time: Wed, 29 Jan 2014 21:09:56 +0100 Лучший ответ:

Что-то не так с именами параметров:

def archive(request, year, month):

Заменяйте year и month на year_id и month_id и он должен работать.

РЕДАКТИРОВАТЬ:

Для вашей второй ошибки и, соответственно, этого вопроса, ваш archive() не возвращает правильный ответ.

Вот ваш код, исправлено:

from django.shortcuts import render_to_response def archive(request, year_id, month_id): posts = Post.objects.filter(created__year=year_id, created__month=month_id) context = {‘PostList’: posts, ‘Months’: mkmonth_lst()} # the error was here return render_to_response(‘archives.html’, context)

Изменить 2:

Ваш шаблон не может проходить через months потому что var не существует в контексте:

context = {‘PostList’: posts, ‘Months’: mkmonth_lst()} # Not correct context = {‘postList’: posts, ‘months’: mkmonth_lst()} # Correct

Вы видите разницу? Вы используете колпачки для имен переменных (“Месяцы”) в первом, в то время как обработанный шаблон, который чувствителен к регистру, ищет переменную в нижнем регистре (“месяцы”).

Оцените статью
Добавить комментарий