Python and Selenium - Avoid submit form when send_

2020-07-10 11:19发布

I am using Python 3 with selenium.

Let's assume var = "whatever\nelse"

My problem is that when I use elem.send_keys(var) it sends the form after "whatever" (because of the newline)

How may I replace "whatever\nelse" with whatever + SHIFT+ENTER + else?

Or is there any other way to input newlines without actually using javascript or substituting newlines with the newline keystroke?

Note: elem is a contenteditable div.

2条回答
聊天终结者
2楼-- · 2020-07-10 12:02

This is the method I actively use. At least this is simpler.

from selenium import webdriver
driver = webdriver.Chrome()
driver.get('http://foo.bar')

text = "any\ntext"
textarea = webdriver.find_element_by_xpath('//*[@id="main"]/footer/div[1]/div[2]/div/div[2]') #find element
if '\r\n' in text: #check if exists \n tag in text
    textsplit = text.split("\r\n") #explode
    textsplit_len = len(textsplit)-1 #get last element
    for text in textsplit:
        textarea.send_keys(text)
        if textsplit.index(text) != textsplit_len: #do what you need each time, if not the last element
            textarea.send_keys(Keys.SHIFT+Keys.ENTER)
查看更多
淡お忘
3楼-- · 2020-07-10 12:05

Did you tried something like:

ActionChains(driver).key_down(Keys.SHIFT).key_down(Keys.ENTER).key_up(Keys.SHIFT).key_up(Keys.ENTER).perform()

Like

from selenium import webdriver
from selenium.webdriver.common.keys import Keys
from selenium.webdriver.common.action_chains import ActionChains

driver = webdriver.Chrome()
driver.get('http://foo.bar')

inputtext = 'foo\nbar'
elem = driver.find_element_by_tag_name('div')
for part in inputtext.split('\n'):
    elem.send_keys(part)
    ActionChains(driver).key_down(Keys.SHIFT).key_down(Keys.ENTER).key_up(Keys.SHIFT).key_up(Keys.ENTER).perform()

ActionChains will chain key_down of SHIFT + ENTER + key_up after being pressed.

Like this you perform your SHIFT + ENTER, then release buttons so you didn't write all in capslock (because of SHIFT)

PS: this example add too many new lines (because of the simple loop on inputtext.split('\n'), but you got the idea.

查看更多
登录 后发表回答