请问如何利用django在同一页面实现多张表的展示和查询
时间: 2024-03-03 18:52:10 浏览: 82
在 中,可以通过使用多个模型和视图来实现在同一页面中展示多张表的数据。以下是一些步骤:
1. 定义多个模型:在 models.py 文件中定义需要展示的多个模型,每个模型对应一个表格。
2. 创建视图:在 views.py 文件中创建视图函数,该函数可以使用多个模型的查询结果,将它们组合在一起,传递给模板。
3. 定义模板:在模板中,可以使用 Django 模板语言来展示多个模型的数据。可以使用 for 循环语句来遍历每一个模型的查询结果,并将其展示在页面上。
4. 实现查询功能:可以通过表单等方式,向视图函数传递查询关键词,然后在视图函数中进行查询,并将查询结果传递给模板展示。
示例代码:
models.py:
```python
from django.db import models
class Book(models.Model):
title = models.CharField(max_length=100)
author = models.CharField(max_length=50)
price = models.DecimalField(max_digits=6, decimal_places=2)
class Magazine(models.Model):
name = models.CharField(max_length=100)
publisher = models.CharField(max_length=50)
price = models.DecimalField(max_digits=6, decimal_places=2)
```
views.py:
```python
from django.shortcuts import render
from .models import Book, Magazine
def book_magazine_view(request):
books = Book.objects.all()
magazines = Magazine.objects.all()
return render(request, 'book_magazine.html', {'books': books, 'magazines': magazines})
```
book_magazine.html:
```html
<h1>Books</h1>
<table>
<thead>
<tr>
<th>Title</th>
<th>Author</th>
<th>Price</th>
</tr>
</thead>
<tbody>
{% for book in books %}
<tr>
<td>{{ book.title }}</td>
<td>{{ book.author }}</td>
<td>{{ book.price }}</td>
</tr>
{% endfor %}
</tbody>
</table>
<h1>Magazines</h1>
<table>
<thead>
<tr>
<th>Name</th>
<th>Publisher</th>
<th>Price</th>
</tr>
</thead>
<tbody>
{% for magazine in magazines %}
<tr>
<td>{{ magazine.name }}</td>
<td>{{ magazine.publisher }}</td>
<td>{{ magazine.price }}</td>
</tr>
{% endfor %}
</tbody>
</table>
```
在这个示例中,我们定义了两个模型 `Book` 和 `Magazine`,在视图函数 `book_magazine_view` 中查询了它们的数据,并将它们传递给模板 `book_magazine.html`。在模板中,我们使用了两个不同的表格来展示每个模型的数据,并且使用了 for 循环语句来遍历查询结果。
阅读全文