无法将页面从首页转移到关于页面

时间:2018-08-04 15:21:01

标签: python django django-templates django-generic-views

我正在尝试使用django创建一个小型Web应用程序,对此我是新手,我正在尝试创建一个主页以及主页上的“关于”按钮,以将页面重新加载到“关于页面”

这是我的index.html

<!DOCTYPE html>
<html>
<head>
  <title>Simple App</title>
<h1> Testing the simple app</h1>
</head>
<body>
  <a href="/about/">About </a>
</body>
</html>

这是我的about.html

<!DOCTYPE html>
<html>
<head>
  <title>Simple App</title>
<h1> Testing the simple app</h1>
</head>
<body>

  This is the about page
</body>
</html>

这是我的views.py

# -*- coding: utf-8 -*-
from __future__ import unicode_literals

from django.shortcuts import render
from django.views.generic import TemplateView

# Create your views here.

class HomePageView(TemplateView):
    def get(self, request, **kwargs):
        return render(request, 'index.html', context=None)

# Add this view
class AboutPageView(TemplateView):
    template_name = "about.html"

和urls.py

from django.conf.urls import url
from django.contrib import admin
from homepage import views

urlpatterns = [
    url(r'^admin/', admin.site.urls),
    url(r'', views.HomePageView.as_view()),
    url(r'^about/$',views.AboutPageView.as_view()),
]

但是,当我单击“关于”按钮时,没有任何反应

1 个答案:

答案 0 :(得分:1)

urls.py中,您可以像这样直接告诉通用模板视图要使用的布局名称:

from django.urls import include, path
from django.views.generic import TemplateView

urlpatterns = [
    path("", TemplateView.as_view(template_name="homepage.html"), name="home"),
    path("about/", TemplateView.as_view(template_name="about.html"), name="about" ]

使用命名的url比直接编码url更好,因为将来它们可能会更改。

然后在homepage.html中将其称为:

<a href="{% url 'about' %}">About</a>

更新:

如果您无法使用path而想使用url

url(r'^$',TemplateView.as_view(template_name="homepage.html"), name="home"),
url(r'^about/$',TemplateView.as_view(template_name="about.html"), name="about"),