这是表格。相同的确切形式在源中出现两次。
<form method="POST" action="/login/?tok=sess">
<input type="text" id="usern" name="username" value="" placeholder="Username"/>
<input type="password" id="passw" name="password" placeholder="Password"/>
<input type="hidden" name="ses_token" value="token"/>
<input id="login" type="submit" name="login" value="Log"/>
</form>
我正在使用此py代码获取“action”属性
import lxml.html
tree = lxml.html.fromstring(pagesource)
print tree.xpath('//action')
raw_input()
由于有两种形式,它会打印两个属性
['/login/?session=sess', '/login/?session=sess']
如何让它只打印一张?我只需要一个,因为它们是完全相同的形式。
我还有第二个问题
如何获取令牌的值? 我在谈论这一行:
<input type="hidden" name="ses_token" value="token"/>
我尝试类似的代码,
import lxml.html
tree = lxml.html.fromstring(pagesource)
print tree.xpath('//value')
raw_input()
但是,由于多个属性名为value,因此会打印出来
['', 'token', 'Log In', '', 'token', 'Log In'] # or something close to that
我怎样才能获得令牌?只有一个?
有更好的方法吗?
答案 0 :(得分:5)
使用find()
代替xpath()
,因为find()
仅返回第一个匹配。
以下是基于您提供的代码的示例:
import lxml.html
pagesource = """<form method="POST" action="/login/?session=sess">
<input type="text" id="usern" name="username" value="" placeholder="Username"/>
<input type="password" id="passw" name="password" placeholder="Password"/>
<input type="hidden" name="ses_token" value="token"/>
<input id="login" type="submit" name="login" value="Log In"/>
</form>
<form method="POST" action="/login/?session=sess">
<input type="text" id="usern" name="username" value="" placeholder="Username"/>
<input type="password" id="passw" name="password" placeholder="Password"/>
<input type="hidden" name="ses_token" value="token"/>
<input id="login" type="submit" name="login" value="Log In"/>
</form>
"""
tree = lxml.html.fromstring(pagesource)
form = tree.find('.//form')
print "Action:", form.action
print "Token:", form.find('.//input[@name="ses_token"]').value
打印:
Action: /login/?session=sess
Token: token
希望有所帮助。