我在操作系统X上使用Selenium WebDriver和Chrome驱动程序,在Python中实现。
我试图编写一个测试来验证屏幕上是否有完全各种HTML元素(例如,我有一个标签云,并且由于我的实施不佳,有时一些单词从浏览器窗口的边缘滑落,因此它们是半可见的。)
driver.find_element_by_css_selector("div.someclass").is_displayed()
,这是我能在其他地方找到的唯一解决方案,似乎无法发挥作用;即使元素部分可见,它也会返回True。
有没有办法可以检查整个元素(包括填充等)在标准浏览器视口中是否可见?
我在Python中实现,因此Python风格的答案最有用。
答案 0 :(得分:2)
您可以获取元素的位置和大小以及窗口的当前X / Y偏移(位置)和大小,以确定元素是否完全在视图中。
通过这些信息,您可以得出结论,为了使元素完全在窗口内,必须满足以下条件:
首先,获取元素的位置和大小。 location
属性将为您提供画布中元素左上角的坐标。 size
属性将为您提供元素的宽度和高度。
elem = driver.find_element_by_id('square100x100')
elem_left_bound = elem.location.get('x')
elem_top_bound = elem.location.get('y')
elem_width = elem.size.get('width')
elem_height = elem.size.get('height')
您可以通过获取X / Y偏移(位置)和窗口大小来确定当前窗口视图是否符合此条件。
您可以通过执行一些JavaScript来获取偏移量。以下内容适用于所有兼容的浏览器。我亲自在Chrome,Firefox和Safari中测试过。我知道IE可能需要一点点按摩。
win_upper_bound = driver.execute_script('return window.pageYOffset')
win_left_bound = driver.execute_script('return window.pageXOffset')
win_width = driver.execute_script('return document.documentElement.clientWidth')
win_height = driver.execute_script('return document.documentElement.clientHeight')
通过上述内容,我们确定了元素的大小和位置以及查看窗口的大小和位置。从这些数据中,我们现在可以进行一些计算来判断元素是否在视图中。
def element_completely_viewable(driver, elem):
elem_left_bound = elem.location.get('x')
elem_top_bound = elem.location.get('y')
elem_width = elem.size.get('width')
elem_height = elem.size.get('height')
elem_right_bound = elem_left_bound + elem_width
elem_lower_bound = elem_top_bound + elem_height
win_upper_bound = driver.execute_script('return window.pageYOffset')
win_left_bound = driver.execute_script('return window.pageXOffset')
win_width = driver.execute_script('return document.documentElement.clientWidth')
win_height = driver.execute_script('return document.documentElement.clientHeight')
win_right_bound = win_left_bound + win_width
win_lower_bound = win_upper_bound + win_height
return all((win_left_bound <= elem_left_bound,
win_right_bound >= elem_right_bound,
win_upper_bound <= elem_top_bound,
win_lower_bound >= elem_lower_bound)
)
这还将包括元素上的填充和边框,但不包括边距。如果要将边距考虑在内,则需要获取相关CSS属性的值。
此外,您可能需要检查其他内容,例如不透明度,是否显示,z-index等。