当我在Django中运行此函数时,我的输出为none。 news()函数有什么问题?
代码:
import feedparser
from django.http import HttpResponse
def news():
YahooContent = feedparser.parse ("http://news.yahoo.com/rss/")
for feed in YahooContent.entries:
print feed.published
print feed.title
print feed.link + "\n"
return
def html(request):
html = "<html><body> %s </body></html>" % news()
return HttpResponse(html)
错误: 网页显示无
答案 0 :(得分:1)
您正在打印结果,而不是返回结果。实际上,return语句将返回None
,就像所有没有return语句的方法一样。
您应该在方法本身中构建字符串,如下所示:
def html(request):
head = '<html><body>'
foot = '</body></html>'
entries = []
for entry in feedparser.parse("http://news.yahoo.com/rss/").entries:
entries.append('{}<br />{}<br />{}<br />'.format(entry.published,
entry.title, entry.link))
return HttpResponse(head+''.join(entries)+foot)
你能解释一下你的代码吗?
想象一下,你有一个“条目”列表,如下所示:
entries = [a, b, c]
每个条目都有一个.published
,.title
,.link
属性,您希望将其打印为HTML格式的列表。
您可以通过循环并使用print语句轻松完成此操作:
print('<ul>')
for entry in entries:
print('<li>{0.published} - {0.title} - {0.link}</li>'.format(entry))
print('</ul>')
但是,我们需要的是将此数据作为HTML响应发送到浏览器。我们可以通过将print
替换为我们不断添加的字符串来构建HTML字符串,如下所示:
result = '<ul>'
for entry in entries:
result += '<li>{0.published} - {0.title} - {0.link}</li>'.format(entry)
result += '</ul>'
这将有效,但是inefficient and slow,最好是在列表中收集字符串,然后将它们连接在一起。这就是我在原来的答案中所做的:
result = ['<ul>']
for entry in entries:
result.append('<li>{0.published} - {0.title} - {0.link}</li>'.format(entry))
result.append('</li>')
然后我只是用页眉和页脚加入它们,然后将列表中的每个单独的字符串与空格合并,并将其作为响应返回:
return HttpResponse('<html><body>'+''.join(result)+'</body></html>')
答案 1 :(得分:0)
显然你的news()方法没有返回任何内容..
正确的方法应该是:
def news():
YahooContent = feedparser.parse ("http://news.yahoo.com/rss/")
result = ''
for feed in YahooContent.entries:
result += feed.published + '\n'
result += feed.title + '\n'
result += feed.link + "\n"
return result
def html(request):
html = "<html><body> %s </body></html>" % news()
return HttpResponse(html)