Reputation: 1228
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.
Upvotes: 11
Views: 6192
Reputation: 10403
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.
Upvotes: 15