Автоматизация OAuth в API Dropbox — нажатие кнопки отправки для входа

Я пытаюсь войти в Dropbox через официальный API Dropbox и загрузить файл в свой Dropbox.

Похоже, код не нажимает кнопку отправки, чтобы войти в Dropbox. Код не останавливается, он просто зависает или зависает. Я не получаю ошибку, поэтому нет трассировки.

Что странно, так это то, что когда я комментирую либо заполнение емейла, либо пароль (или и то, и другое), нажатие кнопки отправки срабатывает.

Я не хочу вручную переходить по ссылке аутентификации Dropbox и нажимать кнопку «Разрешить». Поэтому я пытаюсь автоматизировать эту задачу с помощью инструмента (Splinter), который позволяет мне автоматизировать действия браузера.

Для своего кода я использую Splinter, а в качестве типа браузера я использую PhantomJS

Вот код:

from splinter import *
from dropbox import client, rest, session

# Initiate Dropbox API
APP_KEY = '###'
APP_SECRET = '###'
ACCESS_TYPE = 'dropbox'
sess = session.DropboxSession(APP_KEY, APP_SECRET, ACCESS_TYPE)
emailDropbox = '###'
passwordDropbox = '###'

request_token = sess.obtain_request_token()

urlDropbox = sess.build_authorize_url(request_token)

# Start Splinter login code
# Assumes you are not logged in to Dropbox

# Target url
print 'Target url: ', urlDropbox

browser = Browser('phantomjs')
print 'Starting browser'
print 'Visiting url'
browser.visit(urlDropbox)

# Email form
print 'Is the email form present? ', browser.is_element_present_by_id('login_email')
print 'Fill email form'
browser.find_by_id('login_email').first.fill(emailDropbox)

# Password form
print 'Is the password form present? ', browser.is_element_present_by_id('login_password')
print 'Fill password form'
browser.find_by_id('login_password').first.fill(passwordDropbox)

# Login submit button
print 'Is the submit button present?', browser.is_element_present_by_name('login_submit_dummy')

# Click submit button
print 'Attempting to click the submit button in order to login'
browser.find_by_name('login_submit_dummy').first.click()
print 'Submit button successfully clicked'

# Allow connection with Dropbox
print 'Is the "Allow" button present?', browser.is_element_present_by_id('allow_access')
browser.find_by_id('allow_access').click()
print 'The "Allow" button is successfully clicked'

# Quit the browser
browser.quit()

# The rest of the Dropbox code
# This will fail if the user didn't visit the above URL and hit 'Allow'
access_token = sess.obtain_access_token(request_token)

client = client.DropboxClient(sess)
print "linked account:", client.account_info()

f = open('working-draft.txt')
response = client.put_file('/magnum-opus.txt', f)
print "uploaded:", response

Кто-нибудь знает, что происходит не так и как я могу это исправить?

Спасибо.


person narzero    schedule 03.07.2013    source источник


Ответы (1)


Я приступил к работе, выдержав 5-секундную паузу перед нажатием кнопки time.sleep(5).

Вот рабочий код:

from splinter import *
from dropbox import rest, session
from dropbox import client as dbclient
import time

# Dropbox API
APP_KEY = '###'
APP_SECRET = '###'
ACCESS_TYPE = 'dropbox'
sess = session.DropboxSession(APP_KEY, APP_SECRET, ACCESS_TYPE)
emailDropbox = '###'
passwordDropbox = '###'

request_token = sess.obtain_request_token()

urlDropbox = sess.build_authorize_url(request_token)

def phantomjsOAuth():
    # Target url
    print 'Target url: ', urlDropbox

    browser = Browser('phantomjs')
    print 'Starting phantomjs browser'
    print 'Visiting url'
    browser.visit(urlDropbox)

    # Email form
    print 'Is the email form present? ', browser.is_element_present_by_id('login_email')
    print 'Filling email form'
    browser.find_by_id('email-field').first.find_by_id('login_email').first.fill(emailDropbox)
    print 'Email form successfully filled'

    # Password form
    print 'Is the password form present? ', browser.is_element_present_by_id('login_password')
    print 'Filling password form'
    browser.find_by_id('login_password').first.fill(passwordDropbox)
    print 'Password form successfully filled'

    # Find login submit button
    print 'Is the "Submit" button present?', browser.is_element_present_by_name('login_submit_dummy')
    submitButton = browser.is_element_present_by_name('login_submit_dummy')

    if submitButton == True:
        print 'Pausing for 5 seconds to avoid clicking errors'
        time.sleep(5)
        print 'Attempting to click the "Submit" button in order to login'
        browser.find_by_name('login_submit_dummy').first.click()
        print '"Submit" button successfully clicked'

        # Allow connection with Dropbox
        print 'Is the "Allow" button present?', browser.is_element_present_by_css('.freshbutton-blue')
        allowButton = browser.is_element_present_by_css('.freshbutton-blue')

        if allowButton == True:
            print 'The "Allow" button is present, attempting to click..'
            browser.find_by_css('.freshbutton-blue').click()
            print 'The "Allow" button is successfully clicked, access to Dropbox is granted.'

            browser.quit()

            dropboxCode()

        else:
            print 'The "Allow" button is not present, quitting.'
            browser.quit()

    else:
        print 'The "Submit" button was not present, quitting.'
        browser.quit()

def dropboxCode():
    # The rest of the Dropbox code
    # This will fail if 'Allow' wasn't clicked
    access_token = sess.obtain_access_token(request_token)

    client = dbclient.DropboxClient(sess)
    print "linked account:", client.account_info()

    f = open('dropbox_api_test_file.txt')
    response = client.put_file('/Python/Apps/###/Orders/dropbox_api_test_file.txt', f)
    print "uploaded:", response
    sess.unlink()

if __name__ == "__main__":
    phantomjsOAuth()
person narzero    schedule 09.07.2013