我有一个具有以下结构的表:
<table class="table_class">
<tr>
<td>Label A</td>
<td>Value A</td>
<td>Label B</td>
<td><div>Value B<a href="/some/href">Change</a></div></td>
</tr>
<tr>
<td>Label C</td>
<td><div><a href="/another/href">Value C</a></div></td>
<td>Label D</td>
<td><div><span><a href="/more/href"><span><img src="image/source.jpg"<img src="another/image.gif"></span></a><a href="even/more/href">Value D</a></span> <a href="/href">Change</a></div></td>
</tr>
</table>
我想获取值("值 A"、"值 B",...),但包含这些值的表格单元格的唯一唯一标识符是留给它们的表格单元格("标签 A"、"标签 B",...
知道如何在页面对象中正确处理这个问题吗?
提前感谢,基督教
您可以使用带有following-sibling
轴的 XPath 来查找相邻单元格的值。
例如,以下页面对象具有一个方法,该方法将根据其文本查找标签单元格。从那里,导航到下一个 td 元素,它应该是关联的值。
class MyPage
include PageObject
def value_of(label)
# Find the table
table = table_element(class: 'table_class')
# Find the cell containing the desired label
label_cell = cell_element(text: label)
# Get the next cell, which will be the value
value_cell = label_cell.cell_element(xpath: './following-sibling::td[1]')
value_cell.text
end
end
page = MyPage.new(browser)
p page.value_of('Label A')
#=> "Value A"
p page.value_of('Label B')
#=> "Value BChange"
根据您的目标,您还可以重构它以使用访问器方法。这将允许您拥有返回值单元格、其文本、检查其是否存在等的方法:
class MyPage
include PageObject
cell(:value_a) { value_of('Label A') }
cell(:value_b) { value_of('Label B') }
def value_of(label)
table = table_element(class: 'table_class')
label_cell = cell_element(text: label)
value_cell = label_cell.cell_element(xpath: './following-sibling::td[1]')
value_cell
end
end
page = MyPage.new(browser)
p page.value_a
#=> "Value A"
p page.value_a?
#=> true