我一直试图找到一种方法将文档从本地文件夹显示到网页上。我在两个方面对此感到疑惑:一个是使用django的ListView,但我不是在这种情况下使用模型,所以我不确定它是否可行。我采用的另一种方式是通过我已经制作的列表方法,但是我无法在网页上获取正确的内容(标题,日期)。它们显示在我创建的列表中,但不会转换为网页。它只是一个空白页面。这是我的代码:
views.py
import os, string, markdown, datetime
from P1config.settings import STATICBLOG_COMPILE_DIRECTORY,STATICBLOG_POST_DIRECTORY,STATICBLOG_STORAGE
def doclist(request):
mdown = markdown.Markdown(extensions = ['meta','extra', 'codehilite', PyEmbedMarkdown()])
posts = []
for item in os.listdir(STATICBLOG_POST_DIRECTORY):
if item.endswith('.md'):
continue
try:
with open(os.path.join(STATICBLOG_POST_DIRECTORY, item)) as fhandle:
content = fhandle.read() # (opening and reading the ENTIRE '.md' document)
mdown.convert(content) # (converting file from '.md' to ".html")
post = { 'file_name' : item }
if 'title' in mdown.Meta and len(mdown.Meta['title'][0]) > 0:
post['title'] = mdown.Meta['title'][0]
else:
post['title'] = string.capwords(item.replace('-', ' '))
if 'date' in mdown.Meta:
post['date'] = mdown.Meta['date'][0]
post['date']= datetime.datetime.strptime(post['date'], "%Y-%m-%d")
posts.append(post)
except:
pass
from operator import itemgetter
posts = sorted(posts, key=itemgetter('date'))
posts.reverse()
return render(
request,
'list.html',
{'post' : posts}
)
list.html
{% extends 'base.html' %}
{% block content %}
{% if post %}
{% for i in post %}
<h2>{{post.title}}</h2>
<p class="meta">{{post.date}}</p>
{% endfor %}
{% endif %}
{% endblock %}
和我的 urls.py :
from django.conf.urls import include, url, patterns
urlpatterns = patterns('blog_static.views',
(r'^postlist/', 'list'),
)
我有两个问题:
任何形式的帮助将不胜感激。谢谢!
答案 0 :(得分:1)
听起来您已经熟悉了,可以使用ListView
执行此操作。您可以在没有模型的情况下使用ListView
- 如文档的各个部分所引用(“不一定是查询集”):
获取此视图的项目列表。这必须是可迭代的,并且可以是查询集(其中将启用查询集特定的行为)。
因此,您应该能够执行以下操作:
class MyListView(generic.ListView):
template_name = 'foobar.html'
def get_queryset(self):
return [1, 2, 3]
你的例子有什么问题......你在内部for循环中引用post
而不是你定义为实际帖子的i
。
令人困惑,因为您在模板上下文中将python posts
变量重命名为post
,然后将其迭代为i
。
posts
只是一个列表,没有名为post.title
的属性,键等。
答案 1 :(得分:1)
post
是dict对象的数组。所以
{% extends 'base.html' %}
{% block content %}
{% if post %}
{% for i in post %}
<h2>{{i.title}}</h2>
<p class="meta">{{i.date}}</p>
{% endfor %}
{% endif %}
{% endblock %}