Pergunta

Então, eu estava executando o código do tutorial básico para introdução ao Datastore do Google App Engine:

import cgi
import datetime
import urllib
import webapp2

from google.appengine.ext import db
from google.appengine.api import users


class Greeting(db.Model):
    """Models an individual Guestbook entry with an author, content, and date."""
    author = db.UserProperty()
    content = db.StringProperty(multiline=True)
    date = db.DateTimeProperty(auto_now_add=True)


def guestbook_key(guestbook_name=None):
    """Constructs a datastore key for a Guestbook entity with guestbook_name."""
    return db.Key.from_path('Guestbook', guestbook_name or 'default_guestbook')


class MainPage(webapp2.RequestHandler):
    def get(self):
        self.response.out.write('<html><body>')
        guestbook_name=self.request.get('guestbook_name')

        # Ancestor Queries, as shown here, are strongly consistent with the High
        # Replication datastore. Queries that span entity groups are eventually
        # consistent. If we omitted the ancestor from this query there would be a
        # slight chance that Greeting that had just been written would not show up
        # in a query.
        greetings = db.GqlQuery("SELECT * "
                                "FROM Greeting "
                                "WHERE ANCESTOR IS :1 "
                                "ORDER BY date DESC LIMIT 10",
            guestbook_key(guestbook_name))

        for greeting in greetings:
            if greeting.author:
                self.response.out.write(
                    '<b>%s</b> wrote:' % greeting.author.nickname())
            else:
                self.response.out.write('An anonymous person wrote:')
            self.response.out.write('<blockquote>%s</blockquote>' %
                                    cgi.escape(greeting.content))

        self.response.out.write("""
          <form action="/sign?%s" method="post">
            <div><textarea name="content" rows="3" cols="60"></textarea></div>
            <div><input type="submit" value="Sign Guestbook"></div>
          </form>
          <hr>
          <form>Guestbook name: <input value="%s" name="guestbook_name">
          <input type="submit" value="switch"></form>
        </body>
      </html>""" % (urllib.urlencode({'guestbook_name': guestbook_name}),
                    cgi.escape(guestbook_name)))


class Guestbook(webapp2.RequestHandler):
    def post(self):
        # We set the same parent key on the 'Greeting' to ensure each greeting is in
        # the same entity group. Queries across the single entity group will be
        # consistent. However, the write rate to a single entity group should
        # be limited to ~1/second.
        guestbook_name = self.request.get('guestbook_name')
        greeting = Greeting(parent=guestbook_key(guestbook_name))

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

        greeting.content = self.request.get('content')
        greeting.put()
        self.redirect('/?' + urllib.urlencode({'guestbook_name': guestbook_name}))


app = webapp2.WSGIApplication([('/', MainPage),
    ('/sign', Guestbook)],
    debug=True)

No Pycharm, basta pressionar 'shift+F10' para executar o código acima.

Recebo o seguinte registro antes que o site seja aberto em 127.0.0.1:8080:

C:\Python27\python.exe "C:/Programa Arquivos/Google/google_appengine/dev_appserver.py" .

AVISO 2012-03-02 01:34:41,374 rdbms_mysqldb.py:74] A API do rdbms é não disponível porque a biblioteca MySQLdb não pôde ser carregada.

INFO 02/03/2012 01:34:41.976 appengine_rpc.py:160] Servidor:appengine.google.com

INFO 2012-03-02 01:34:41,983 appcfg.py:581] Verificando se há atualizações para o SDK.

INFO 2012-03-02 01:34:44,369 appcfg.py:599] O SDK está atualizado.

AVISO 2012-03-02 01:34:44,371 datastore_file_stub.py:513] Não foi possível ler dados de armazenamento de dados de c:\usuários obert\appdata\local emp\dev_appserver.datastore

INFORMAÇÕES 2012-03-02 01:34:46,295 dev_appserver_multiprocess.py:650] Executando o aplicativo dev~helloworld na porta 8080: http://localhost:8080

INFORMAÇÕES 2012-03-02 01:34:46,296 dev_appserver_multiprocess.py:652] O Admin Console está disponível em: http://localhost:8080/_ah/admin

AVISO 2012-03-02 01:34:47,480 py_zipimport.py:139] Não é possível abrir zipfile C:\Python27\lib\site-packages\pyfacebook-1.0a2-py2.7.egg:Erro IO:[Errno 13] arquivo não acessível:'C:\Python27\lib\site-packages\pyfacebook-1.0a2-py2.7.egg'

INFO 2012-03-02 01:34:49,108 datastore_stub_index.py:257] Atualização C:\Usuários obert\PycharmProjects\helloworld\index.yaml

Info 2012-03-02 01: 34: 49.148 dev_appserver.py:2865] "get / http / 1.1" 200-

INFO 2012-03-02 01:34:49,315 dev_appserver.py:2865] "OBTER /favicon.ico HTTP/1.1" 404 -

Observe que o log tem a linha:

AVISO 02/03/2012 01:34:47,480 py_zipimport.py:139] Não é possível abrir o arquivo zip C:\Python27\lib\site-packages\pyfacebook-1.0a2-py2.7.egg:Erro IO:[Errno 13] arquivo não acessível:'C:\Python27\lib\site-packages\pyfacebook-1.0a2-py2.7.egg'

Tenho certeza de que há uma explicação razoável e lógica para isso, alguém sabe?

Foi útil?

Solução

Não tenho certeza, mas "cheira" a conflito de caminho/instalação.Talvez o App Engine esteja encontrando o pacote em um local onde não é possível acessá-lo (em outra instalação do python, talvez?).Se você puder importar o pacote do shell python interativo, o arquivo terá as permissões corretas;nesse caso, verifique se há múltiplas instalações/caminhos de instalação.No meu caso, algo foi instalado no python "sistema", mas não aquele que o App Engine estava usando.

Licenciado em: CC-BY-SA com atribuição
Não afiliado a StackOverflow
scroll top