我正在学习如何将GoogleAppEngine与Python一起使用。

这是我的代码:

import cgi

from google.appengine.api import users
from google.appengine.ext import webapp
from google.appengine.ext.webapp.util import run_wsgi_app
from google.appengine.ext import db

class Greeting(db.Model):
    author = db.UserProperty()
    content = db.StringProperty(multiline=True)
    date = db.DateTimeProperty(auto_now_add=True)

class BlogPost(db.Model):
    author = db.UserProperty();
    body = db.StringProperty(multiline=True)
    postDate = db.DateTimeProperty(auto_now_add=True)

class MainPage(webapp.RequestHandler):
    def get(self):
        self.response.out.write('<html><body>')
        blogPosts = db.GqlQuery("SELECT * FROM BlogPost ORDER BY date DESC LIMIT 10")
        greetings = db.GqlQuery("SELECT * FROM Greeting ORDER BY date DESC LIMIT 10")

        for post in blogPosts:
            if post.author:
                self.response.out.write('<b>%s</b>' % post.author.nickname())
            else:
                self.response.out.write('<b>A guest wrote:</b>')
            self.response.out.write(cgi.escape(post.body))

        # Write the submission form and the footer of the page
        self.response.out.write("""
              <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>""")

class Guestbook(webapp.RequestHandler):
    def post(self):
        post = BlogPost()

        if users.get_current_user():
            post.author = users.get_current_user()

        post.body = self.request.get('content')
        post.put()
        self.redirect('/')

application = webapp.WSGIApplication(
                                     [('/', MainPage),
                                      ('/sign', Guestbook)],
                                     debug=True)

def main():
    run_wsgi_app(application)

if __name__ == "__main__":
    main()


我想添加一个BlogPost类只是为了自己进行测试,似乎没有记录被保存到数据存储中。我将Komodo Edit用作IDE,所以不能使用断点。

有任何明显的错误吗?

谢谢!

最佳答案

好吧,首先我收到以下日志错误的错误(也许只是对我来说):

dev_appserver_main.py:466] <class 'google.appengine.api.datastore_errors.InternalError'>Are you using FloatProperty and/or GeoPtProperty? Unfortunately loading float values from the datastore file does not work with Python 2.5.0.

必须使用-c标志摆脱它。

其次,为什么还具有Greeting dbModel?您没有使用它。也可以将其删除。

但是真正的错误是在查询blogPosts = db.GqlQuery("SELECT * FROM BlogPost ORDER BY date DESC LIMIT 10")中您没有date行。看一下你的名字:

postDate = db.DateTimeProperty(auto_now_add=True)

将您的请求修改为:blogPosts = db.GqlQuery("SELECT * FROM BlogPost ORDER BY postDate DESC LIMIT 10"),它将像超级按钮一样工作。希望这会有所帮助。

关于python - GoogleAppEngine数据存储区未返回任何记录,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/4697973/

10-09 07:17