我有这个表格的网站,我想填写。需要提交的表单,以第一种形式填写输入标签。当您提交第一个表单时,它会生成另一个表单,其中的表格显示您刚刚提交的内容,此表单还有一个提交按钮,您可以单击该按钮确认您的操作。我假设该网站使用javascript删除第一个表单,然后生成下一个表单,因为该URL在该转换中没有变化。
如何提交/确认第一个表单提交时生成的下一个表单?
用于填写第一张表格的代码。
import mechanize
b = mechanize.Browser()
b.open("http://www.website.com/a2b.php")
b.select_form("snd")
b.find_control("t1").value = '200' # number 1
b.find_control("t2").value = '250' # number 2
b.find_control("t3").value = '300' # number 3
b.submit()
第一种形式
<form method="POST" name="snd" action="a2b.php">
<input name="t1" value="" type="text">
<input name="t2" value="" type="text">
<input name="t3" value="" type="text">
<button type="submit" value="ok" name="s1"></button>
</form>
第二种形式
<form method="post" action="a2b.php">
<table>
Table showing the entered data, entered in previous form
</table>
<input name="timestamp" value="1445368847" type="hidden">
<input name="timestamp_checksum" value="JEN8mj" type="hidden">
<input name="ckey" value="20040" type="hidden">
<input name="id" value="39" type="hidden">
<input name="a" value="533374" type="hidden">
<input name="c" value="3" type="hidden">
<button type="submit" value="ok" name="s1" id="btn_ok"></button>
</form>
答案 0 :(得分:0)
机械化与javascript不兼容,请尝试使用Selenium Webdriver。它将充当浏览器,包括JS支持。您可以使用Waits等待第二个表单显示。
以下是示例如何填写表单(我改编了this answer中的代码):
from selenium import webdriver
from selenium.webdriver.common.by import By
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC
driver = webdriver.Firefox()
driver.get("http://www.website.com/a2b.php")
def find_by_xpath(locator):
element = WebDriverWait(driver, 10).until(
EC.presence_of_element_located((By.XPATH, locator))
)
return element
class FirstFormPage(object):
def fill_form(self):
find_by_xpath('//input[@name="t1"]').send_keys('200')
find_by_xpath('//input[@name="t2"]').send_keys('250')
find_by_xpath('//input[@name="t3"]').send_keys('300')
return self # makes it so you can call .submit() after calling this function
def submit(self):
find_by_xpath('//input[@value = "ok"]').click()
class SecondFormPage(object):
def fill_form(self):
find_by_xpath('//input[@name="timestamp"]').send_keys('1445368847')
find_by_xpath('//input[@name="timestamp_checksum"]').send_keys('JEN8mj')
find_by_xpath('//input[@name="ckey"]').send_keys('20040')
find_by_xpath('//input[@name="id"]').send_keys('39')
find_by_xpath('//input[@name="a"]').send_keys('533374')
find_by_xpath('//input[@name="c"]').send_keys('3')
return self # makes it so you can call .submit() after calling this function
def submit(self):
find_by_xpath('//input[@value = "ok"]').click()
FirstFormPage().fill_form().submit()
SecondFormPage().fill_form().submit()
driver.quit() # closes the webbrowser
根据您的需要进行调整!