我需要index.py上的表单,以及由guestbook.py处理的数据存储区查询响应(此处为“注释”),因此表单响应会在表单提交后显示给访问者,因此会显示2页。我正在编辑Google的留言簿,以便在与我的应用集成之前尽可能简单地执行此操作。数据存储区正在运行,但响应不会显示给访问者,POST 302.
application: guestbook
version: 1
runtime: python27
api_version: 1
threadsafe: yes
handlers:
- url: /
script: index.app
- url: .*
script: guestbook.app
libraries:
- name: webapp2
version: "2.5.1"
index.py
#!/usr/bin/env python
import cgi
import webapp2
class MainPage(webapp2.RequestHandler):
def get(self):
self.response.out.write("""<html>
<body>
<form action="/sign" method="post">
<div><textarea name="content" rows="3" cols="60"></textarea></div>
<div><input type="submit" value="Sign Guestbook"></div>
</form>
</body>
</html>""")
app = webapp2.WSGIApplication([
('/', MainPage),
], debug=True)
guestbook.py
#!/usr/bin/env python
#
import cgi
import datetime
import webapp2
from google.appengine.ext import db
from google.appengine.api import users
class Greeting(db.Model):
content = db.StringProperty(multiline=True)
date = db.DateTimeProperty(auto_now_add=True)
class MainPage(webapp2.RequestHandler):
def get(self):
content = self.request.get("content")
self.response.out.write('<html><body>')
greetings = db.GqlQuery("SELECT * "
"FROM Greeting "
"ORDER BY date DESC LIMIT 1")
for greeting in greetings:
self.response.out.write('<blockquote>%s</blockquote>' %
cgi.escape(greeting.content))
self.response.out.write('</body></html>')
class Guestbook(webapp2.RequestHandler):
def post(self):
content = self.request.get("content")
greeting = Greeting(content = content)
greeting.put()
self.redirect('/')
app = webapp2.WSGIApplication([
('/', MainPage),
('/sign', Guestbook)
], debug=True)
答案 0 :(得分:2)
action
是一个网址,而不是一个模块。您定义的唯一网址是/
,其路由到home.app
。据推测,您的表格由该模块提供。
编辑您完全误解了URL在GAE中的工作方式,实际上在大多数Web框架中都是如此。 index.html
和home.py
都不是GAE的网址:它们分别是HTML模板和GAE可用于构建对Web请求的响应的Python文件。您的app.yaml
将URL映射到Python函数。在您的情况下,它会将网址/
映射到位于home.app
的Python函数home.py
。
您绝不会在网址中使用home.py
。如上所述,action
必须是您在app.yaml
中定义的URL之一,或者,如果您使用的某些框架(如支持Python模块内部路由的webapp),则其中一个-URLs在那里定义。
当然,您还遇到了将/
映射到静态index.html
文件的问题,这似乎是完全错误的。我非常怀疑你可以将相同的URL映射到GAE中的两个处理程序,虽然我从未尝试过,但无论如何,该文件可能是一个模板,而不是你想要按原样服务的文件。删除该映射。