Пример #1
0
 def list_blogs():
   client = gdata.blogger.client.BloggerClient()
   logging.info(str(client))
   blogs = client.get_blogs()
   logging.info(str(client))
   result = [blog_to_json(entry) for entry in blogs.entry]
   logging.info(str(result))
   return result
Пример #2
0
 def list_blogs():
     client = gdata.blogger.client.BloggerClient()
     logging.info(str(client))
     blogs = client.get_blogs()
     logging.info(str(client))
     result = [blog_to_json(entry) for entry in blogs.entry]
     logging.info(str(result))
     return result
Пример #3
0
  def get(self):
    template_values = { 'sign_out': users.create_logout_url('/') }
    # See if we have an auth token for this user.
    token = get_auth_token(self.request)
    if token is None:
      template_values['auth_url'] = gdata.gauth.generate_auth_sub_url(
          self.request.url, ['http://www.blogger.com/feeds/'])
      path = os.path.join(os.path.dirname(__file__), 'auth_required.html')
      self.response.out.write(template.render(path, template_values))
      return    
  
    elif token == False:
      self.response.out.write(
          '<html><body><a href="%s">You must sign in first</a>'
          '</body></html>' % users.create_login_url('/blogs'))
      return

    client = gdata.blogger.client.BloggerClient()
    feed = client.get_blogs(auth_token=token)
    template_values['feed'] = feed
    path = os.path.join(os.path.dirname(__file__), 'list_blogs.html')
    self.response.out.write(template.render(path, template_values))
Пример #4
0
def main():
    parser = argparse.ArgumentParser(description='Blogger client')
    parser.add_argument('-b', '--blog', action='store',
                        help='title of the blog to receive the new draft')
    parser.add_argument('filename', action='store',
                        help='reST input file')
    parser.add_argument('-a', '--authfile', action='store',
                        help='auth file',)
    options = parser.parse_args()

    # Set up console encoding
    locale.setlocale(locale.LC_ALL, '')
    lang, encoding = locale.getdefaultlocale()
    if not hasattr(sys.stdout, 'encoding'):
        sys.stdout = codecs.getwriter(encoding)(sys.stdout)
    if not hasattr(sys.stderr, 'encoding'):
        sys.stderr = codecs.getwriter(encoding)(sys.stderr)

    # Start by parsing the file locally in case there is a problem
    # and we can avoid the authentication step.
    formatter = rst2post.RST2Blogspot()
    post_title, post_content = formatter.format_post(options.filename)

    # Authenticate using ClientLogin, AuthSub, or OAuth.
    client = gdata.blogger.client.BloggerClient()

    if options.authfile is not None:
        fc = open("/home/koder/Dropbox/gauth.txt").readlines()
        login = fc[0].split('=')[1]
        passwd = fc[1].split('=')[1]
        target_blog_id = fc[2].split('=')[1]
    else:
        login = None
        passwd = None
        target_blog_id = None
    
    for i in range(3):
        try:
            if login is not None:
                client.ClientLogin(login, passwd, 
                            account_type='GOOGLE', source='rst2blogger.py',
                            service='blogger')
            else:
                gdata.sample_util.authorize_client(
                   client, service='blogger', source='rst2blogger.py',
                   scopes=['http://www.blogger.com/feeds/'])

        except (ValueError, gdata.client.BadAuthentication) as err:
            print
            print 'Failed to authenticate:', err
            print
        else:
            break
    else:
        raise RuntimeError, 'Authentication failure'

    if target_blog_id is None:
        # Get the ID for the blog
        print 'Retreiving blog list'
        feed = client.get_blogs()
        blogs_by_title = dict( (b.title.text, b)
                               for b in feed.entry
                               )
        
        if not options.blog:
            if len(blogs_by_title.keys()) == 1:
                options.blog = blogs_by_title.keys()[0]
            else:
                print 'Available blogs:'
                for t in sorted(blogs_by_title.keys()):
                    print u'- %s' % t
                print
                raise RuntimeError, 'Please specify the blog title with --blog'

        target_blog = blogs_by_title[options.blog.decode('utf8')]
        target_blog_id = target_blog.get_blog_id()

    print "target_blog_id =", repr(target_blog_id)

    # We will look for a post with the same title in the last week, in
    # case this is a work-in-progress that needs to be updated. We
    # limit the search to a week because we do not want to update
    # really old posts with similar titles.
    today = datetime.date.today()
    tomorrow = today + datetime.timedelta(days=1)
    week_ago = today - datetime.timedelta(days=7)
    query = gdata.blogger.client.Query(updated_min=str(week_ago),
                                       updated_max=str(tomorrow),
                                       order_by='updated')

    # Determine if there is a post with this title already
    print 'Looking for existing post to be updated'
    feed = client.get_posts(target_blog_id, query=query)
    existing_posts = [ entry
                       for entry in feed.entry
                       if entry.title.text == post_title
                       ]
    if existing_posts:
        if len(existing_posts) > 1:
            raise ValueError('Found multiple posts with the same title!')
        print 'Updating existing post'
        post_to_update = existing_posts[0]
        post_to_update.title = atom.data.Title(type='xhtml', text=post_title)
        post_to_update.content = atom.data.Content(type='html', text=post_content)
        client.update(post_to_update)
    else:
        # The post was not found, so make a new one
        print 'Creating new post'
        new_post = client.add_post(target_blog_id, post_title, post_content, draft=True)
    print 'Uploaded new draft'
    return
Пример #5
0
def main():
    parser = argparse.ArgumentParser(description='Blogger client')
    parser.add_argument('-b',
                        '--blog',
                        action='store',
                        help='title of the blog to receive the new draft')
    parser.add_argument('filename', action='store', help='reST input file')
    options = parser.parse_args()

    # Set up console encoding
    locale.setlocale(locale.LC_ALL, '')
    lang, encoding = locale.getdefaultlocale()
    if not hasattr(sys.stdout, 'encoding'):
        sys.stdout = codecs.getwriter(encoding)(sys.stdout)
    if not hasattr(sys.stderr, 'encoding'):
        sys.stderr = codecs.getwriter(encoding)(sys.stderr)

    # Start by parsing the file locally in case there is a problem
    # and we can avoid the authentication step.
    post_title, post_content = rst2post.format_post(options.filename)
    print "\nTitle: '%s'\n" % post_title

    # Authenticate using ClientLogin, AuthSub, or OAuth.
    client = gdata.blogger.client.BloggerClient()
    for i in range(3):
        try:
            gdata.sample_util.authorize_client(
                client,
                service='blogger',
                source='rst2blogger.py',
                scopes=['http://www.blogger.com/feeds/'])
        except (ValueError, gdata.client.BadAuthentication) as err:
            print
            print 'Failed to authenticate:', err
            print
        else:
            break
    else:
        raise RuntimeError('Authentication failure')

    # Get the ID for the blog
    print 'Retreiving blog list'
    feed = client.get_blogs()
    blogs_by_title = dict((b.title.text, b) for b in feed.entry)
    if not options.blog:
        if len(blogs_by_title.keys()) == 1:
            options.blog = blogs_by_title.keys()[0]
        else:
            print 'Available blogs:'
            for t in sorted(blogs_by_title.keys()):
                print u'- %s' % t
            print
            raise RuntimeError('Please specify the blog title with --blog')
    target_blog = blogs_by_title[options.blog]
    target_blog_id = target_blog.get_blog_id()

    # We will look for a post with the same title in the last week, in
    # case this is a work-in-progress that needs to be updated. We
    # limit the search to a week because we do not want to update
    # really old posts with similar titles.
    today = datetime.date.today()
    tomorrow = today + datetime.timedelta(days=1)
    week_ago = today - datetime.timedelta(days=7)
    query = gdata.blogger.client.Query(updated_min=str(week_ago),
                                       updated_max=str(tomorrow),
                                       order_by='updated')

    # Determine if there is a post with this title already
    print 'Looking for existing post to be updated'
    feed = client.get_posts(target_blog_id, query=query)
    existing_posts = [
        entry for entry in feed.entry if entry.title.text == post_title
    ]
    if existing_posts:
        if len(existing_posts) > 1:
            raise ValueError('Found multiple posts with the same title!')
        print 'Updating existing post'
        post_to_update = existing_posts[0]
        post_to_update.title = atom.data.Title(type='xhtml', text=post_title)
        post_to_update.content = atom.data.Content(type='html',
                                                   text=post_content)
        client.update(post_to_update)
    else:
        # The post was not found, so make a new one
        print 'Creating new post'
        client.add_post(target_blog_id, post_title, post_content, draft=True)
    print 'Uploaded new draft'
    return