rahulserver
rahulserver

Reputation: 11205

Selenium Webdriver enter multiline text in form without submitting it

I have a multiline text and when I am simply putting the whole text into a form using sendKeys, the form gets submitted on each line break.

I tried replacing the newline with carriage return this way:

String myText="Some Multiline Text....";
myText=myText.replace("\n","\13");

This simply removed the newlines and I could not see the newline in output text.

Also below did not work(it also submits form at line breaks):

String myText="Some Multiline Text....";
myText=myText.replace("\n","\r");

So how do I go about with newlines in sendkeys without submitting the form?

Upvotes: 9

Views: 32606

Answers (2)

Leonardo Wolter
Leonardo Wolter

Reputation: 149

What worked for me using python 3 was make use of ActionChain as Tamas said and @Arount posted on Python and Selenium - Avoid submit form when send_keys() with newline

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()

Upvotes: 7

Tamas Hegedus
Tamas Hegedus

Reputation: 29906

This is not a Selenium issue, pressing enter in a text field often submits the form. Usually you can bypass it by using Shift+Enter to insert a new line. Try this:

String myText = "first line\nsecond line";
myText = myText.replace("\n", Keys.chord(Keys.SHIFT, Keys.ENTER));
myElement.sendKeys(myText);

Upvotes: 15

Related Questions