gpt4 book ai didi

python - 类型错误 : index() missing 1 required positional argument: 'subject_slug'

转载 作者:行者123 更新时间:2023-12-04 03:38:20 25 4
gpt4 key购买 nike

我已经使用django 创建了一个博客。现在我正在尝试实现一个系统,其中每个帖子的 url 将包含 subject_slug/slug。错误如上题。

来自终端的错误更详细:response = wrapped_callback(request, *callback_args, **callback_kwargs)类型错误:index() 缺少 1 个必需的位置参数:'subject_slug'

模型.py

    from django.conf import settings
from django.db import models
from django.utils import timezone
from django.contrib.auth.models import User
from django.urls import reverse
from django.utils.text import slugify

class Subject(models.Model):
subject = models.CharField(max_length=200)
subject_slug = models.SlugField(editable=True, max_length=200, null=False, unique=True)
def get_absolute_url(self):
kwargs = {
'slug': self.slug
}
return reverse('subject', kwargs=kwargs)
def save(self, *args, **kwargs):
value = self.subject
self.slug = slugify(value, allow_unicode=True)
super().save(*args, **kwargs)

class Meta:
# Gives the proper plural name for class called subject
verbose_name_plural = "Subjects"

def __str__(self):
return self.subject

class Post(models.Model):
author = models.ForeignKey(User, default=1, on_delete=models.SET_DEFAULT, related_name='blog_posts')
date_added = models.DateTimeField(auto_now_add=True)
subject = models.ForeignKey(Subject, verbose_name='Subject', default=1, on_delete=models.SET_DEFAULT)
title = models.CharField(max_length=200, unique=True)
slug = models.SlugField(editable=True, max_length=200, null=False, unique=True)
content = models.TextField()
def get_absolute_url(self):
kwargs = {
'slug': self.slug
}
return reverse('post_detail', kwargs=kwargs)
def save(self, *args, **kwargs):
value = self.title
self.slug = slugify(value, allow_unicode=True)
super().save(*args, **kwargs)

class Meta:
ordering = ['-date_added']

def __str__(self):
return self.title

class Comment(models.Model):
post = models.ForeignKey(Post, default=1, on_delete=models.SET_DEFAULT, related_name='comments')
name = models.CharField(max_length=80)
email = models.EmailField()
body = models.TextField()
made_on = models.DateTimeField(auto_now_add=True)
active = models.BooleanField(default=False)

class Meta:
ordering = ['made_on']

def __str__(self):
return 'Comment {} by {}'.format(self.body, self.name)

网址.py

    from django.urls import path
from . import views

urlpatterns = [
# Home page.
path('', views.index, name='index'),
# A page for each subject.
path('<str:subject_slug>/', views.subject, name='subject'),
# A page for each post including comments related to the post.
path('<str:subject_slug>/<str:slug>/', views.post_detail, name='post_detail'),
# Not sure I need this if I am to be the only author of posts.
path('post/new/', views.post_new, name='post_new'),
]

View .py

    from django.shortcuts import render, get_object_or_404, redirect
from django.utils import timezone
from django.views import generic
from .models import Subject
from .models import Post
from .forms import PostForm
from .forms import CommentForm

# Create your views here.

def index(request, subject_slug):
"""All subjects to be shown automatically in navbar - in base template ideally?
Order_by needs fixing"""
subjects = Subject.objects.all()
subject = get_object_or_404(subject_slug=subject_slug)
posts = Post.objects.filter(date_added__lte=timezone.now()).order_by('-date_added')
return render(request, 'blog/index.html', {'subjects': subjects,
'subject': subject,
'posts': posts})

def subject(request, subject_slug):
template_name = 'blog/subject.html'
subjects = Subject.objects.all()
subject = Subject.objects.get(subject_slug=subject_slug)
posts = Post.objects.filter(date_added__lte=timezone.now()).order_by('-date_added')
return render(request, template_name, {'subjects': subjects,
'subject': subject,
'posts': posts})


def post_detail(requests, subject_slug, slug):
template_name = 'blog/subject/post_detail.html'
subjects = Subject.objects.all()
post = get_object_or_404(Post, subject_slug=subject_slug, slug=slug)
comments = post.comments.filter(active=True)
new_comment = None
# Comment posted
if request.method == 'POST':
comment_form = CommentForm(data=request.POST)
if comment_form.is_valid():

# Create comment object but don't save to database yet
new_comment = comment_form.save(commit=False)
# Assign the current post to the comment
new_comment.post = post
# Save the comment to the database
new_comment.save()
else:
comment_form = CommentForm()

return render(request, template_name, {'subjects': subjects,
'subject': subject,
'post': post,
'comments': comments,
'new_comment': new_comment,
'comment_form': comment_form})

基础.html

    {% load static %}
<html>
<head>
<title>drsmart.info</title>
<link rel="stylesheet" href="{% static 'css/blog.css' %}">
</head>

<body>
<h1><a href="/">DR SMART.INFO</a></h1>
<p>the web site for the analytical rugby fan</p>
<p>
<ul>
{% for subject in subjects %}
<li><a href="{% url 'subject' subject.subject_slug %}">{{ subject }}</a></li>
{% endfor %}
</ul>
</p>

{% block content %}
{% endblock %}
</body>
</html>

index.html

{% extends 'blog/base.html' %}

{% block content %}
{% for post in posts %}
<div>
<h2><a href="{% url 'post_detail' post.slug %}">{{ post.title }}</a></h2>
<p>author: {{post.author}}, published: {{post.date_added }}</p>
<p>{{ post.content|linebreaksbr }}</p>
</div>
{% endfor %}
{% endblock %}

非常感谢您的帮助。

罗德里克

最佳答案

index.html , 在这一行 <h2><a href="{% url 'post_detail' post.slug %}">{{ post.title }}</a></h2> ,缺少第二个参数应该是这样的

<h2><a href="{% url 'post_detail' post.subject.subject_slug post.slug %}">{{ post.title }}</a></h2>

编辑:在你的views.py您的索引 View 在定义中有一个参数:

def index(request, subject_slug):

但是在其各自的url中,没有参数,所以会报错

path('', views.index, name='index'),

所以解决方案是 View 应该是这样的:

def index(request):

或者url应该是这样的:

path('<subject_slug>', views.index, name='index'),

关于python - 类型错误 : index() missing 1 required positional argument: 'subject_slug' ,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/66514987/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com