在网站开发中,经常会出现需要列出某个表中的一些数据作为列表展示出来。比如文章列表,图书列表等等。在Django中可以使用ListView来帮我们快速实现这种需求。
因为要对表中的数据进行操作,那么我们首先的创建一个模型,然后映射到数据库中去。 models.py中写入代码:
#Django01_app02/models.py
from django.db import models
# Create your models here.
class Person(models.Model):
GENDER_CHOICES = (
(1, '男'),
(0, '女')
)
name = models.CharField(max_length=32)
age = models.IntegerField()
gender = models.BooleanField(choices=GENDER_CHOICES)
id_card = models.IntegerField()
address = models.CharField(max_length=255)
temperature = models.FloatField()
class Meta:
permissions = ()
我的models在某个app下面,那么先将app添加至settings.py 中
'Django01_app02.apps.Django01App02Config'
创建Html文件:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>疫情人员登记表</title>
</head>
<body>
<table>
<thead>
<tr>
<th>ID</th>
<th>名字</th>
<th>年龄</th>
<th>性别</th>
<th>疑似</th>
</tr>
</thead>
<tbody>
{% for item in object_list %}
<tr>
<td>{{ item.id }}</td>
<td>{{ item.name }}</td>
<td>{{ item.age }}</td>
<td>{{ item.gender.get_display }}</td>
<td>{% if item.temperature > 37.4 %}是{% else %}否{% endif %}</td>
</tr>
{% empty %}
<tr>
<td colspan="5">暂无数据</td>
</tr>
{% endfor %}
</tbody>
</table>
</body>
</html>
新建一个类视图:
##Django01_app02/views.py
from django.views.generic import ListView
from Django01_app02.models import Person
class PersonList(ListView):
model = Person
template_name = 'Django01_app02/personlist.html'
配置urls.py文件:
#Django01_app02/urls.py
from django.urls import path
from Django01_app02.views import PersonList
app_name='Django01_app02'
urlpatterns = [
path('', PersonList.as_view(),name='peraonlist')
#Django01/urls.py
from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('admin/', admin.site.urls),
path('', include('Django01_app01.urls', namespace='Test')),
path('personal_info/', include('Django01_app02.urls', namespace='personal'))
]
?我们可以使用默认的SQLite数据库,执行按Alt+Ctrl+R运行manager.py任务执行makenigrations和migrate。将模型映射到数据库中。
映射完成后,运行输入我们设置的网址
http://127.0.0.1:8000/personal_info/
即可得到如下例子
?
|