web-dev-qa-db-ja.com

Pythonを使用してGoogleにログインしますか?

私はウェブプログラミングにかなり慣れていませんが、そのために、標準コードを使用せずにpythonアプリケーションとしてGoogleアカウントにログインしようとしていますが、そうすることは不可能です。以前にこれを試しましたか?誰か助けてもらえますか?

17
Mir Khashkhash

私はグーグルログインを処理するpythonクラスを作成し、ユーザーがログインする必要があるグーグルサービスページを取得することができます:

class SessionGoogle:
    def __init__(self, url_login, url_auth, login, pwd):
        self.ses = requests.session()
        login_html = self.ses.get(url_login)
        soup_login = BeautifulSoup(login_html.content).find('form').find_all('input')
        my_dict = {}
        for u in soup_login:
            if u.has_attr('value'):
                my_dict[u['name']] = u['value']
        # override the inputs without login and pwd:
        my_dict['Email'] = login
        my_dict['Passwd'] = pwd
        self.ses.post(url_auth, data=my_dict)

    def get(self, URL):
        return self.ses.get(URL).text

アイデアは、ログインページGALXの非表示の入力値に移動し、それをgoogle +ログインとパスワードに送り返すことです。モジュールrequestsbeautifulSoupが必要です

使用例:

url_login = "https://accounts.google.com/ServiceLogin"
url_auth = "https://accounts.google.com/ServiceLoginAuth"
session = SessionGoogle(url_login, url_auth, "myGoogleLogin", "myPassword")
print session.get("http://plus.google.com")

お役に立てれば

25
alexislg

おそらくあなたがここで探していたものとは正確には一致しませんが、私から実行された同様の post からいくつかのコードを見つけました。


import urllib2


def get_unread_msgs(user, passwd): auth_handler = urllib2.HTTPBasicAuthHandler() auth_handler.add_password( realm='New mail feed', uri='https://mail.google.com', user='%[email protected]' % user, passwd=passwd ) opener = urllib2.build_opener(auth_handler) urllib2.install_opener(opener) feed = urllib2.urlopen('https://mail.google.com/mail/feed/atom') return feed.read()


print get_unread_msgs("put-username-here","put-password-here")

参照:
Gmailに自動ログインする方法atom Pythonでフィードしますか?

1
dkroy

pythonのurllib、urllib2、およびcookielibライブラリを使用してログインできます。

import urllib, urllib2, cookielib

def test_login():
    username = '' # Gmail Address
    password = '' # Gmail Password
    cookie_jar = cookielib.CookieJar() 
    opener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cookie_jar)) 
    login_dict = urllib.urlencode({'username' : username, 'password' :password}) 
    opener.open('https://accounts.google.com/ServiceLogin', login_dict) 
    response = opener.open('https://plus.google.com/explore')
    print response.read()

if __name__ == '__main__':
    test_login()
0
Vedant Parikh