我想实现一些相对简单的事情:我想从我的模型中检索给定一系列 id 的所有对象(例如,从一本书的章节中检索第 5 到 10 行)。
现在在我的views.py中,我已经:
def line_range(request, book_id, chapter_id, line_start, line_end):
book_name = get_object_or_404(Book, id = book_id)
chapter_lines = []
for i in range (int(line_start), int(line_end)+1):
chapter_lines .append(Line.objects.get(book = book_id, chapter = chapter_id, line = i))
return render_to_response('app/book.html', {'bookTitle': book_name, 'lines': chapter_lines })
现在,这显然不是最优化的处理方式,因为它会执行 n 次数据库查询,而它只能在一次中完成。有没有办法做类似的事情:
def line_range(request, book_id, chapter_id, line_start, line_end):
book_name = get_object_or_404(Book, id = book_id)
lines_range = range (int(line_start), int(line_end)+1)
chapter_lines = get_list_or_404(Line, book = book_id, chapter = chapter_id, line = lines_range)
return render_to_response('app/book.html', {'bookTitle': book_name, 'lines': chapter_lines })
这在理论上会产生一个更好的数据库查询(1 而不是 n),并且在性能方面应该更好。当然,这种语法不起作用(期望一个整数,而不是一个列表)。
谢谢!