获取QtWebKit,PyQt4的QWebView中的元素坐标并自动滚动到其位置

时间:2015-04-19 16:48:37

标签: python pyqt4 qtwebkit qwebview

这是一个简单的代码,可以在QWebView中打开一个网站(例如,yahoo.com)。完成加载网站后,它会滚动到某个位置(例如QPoint(100, 300))。我们需要等待网站完成加载,否则它不会自动滚动,因此loadFinished信号。

但问题是:我怎样才能找到一个元素的坐标(比如说'所有故事'在yahoo.com上)并自动滚动到它的位置,就像我在下面的图片中手动完成它一样? findFirstElement中有findAllElementsQWebFrame等功能,但我不知道如何使用它们找到x,y坐标?

import sys
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from PyQt4.QtWebKit import *

def loadFinished():
    web.page().mainFrame().setScrollPosition(QPoint(100, 300))

app = QApplication(sys.argv)
web = QWebView()
web.load(QUrl("http://yahoo.com"))
web.connect(web, SIGNAL('loadFinished(bool)'), loadFinished)
web.setGeometry(700, 500, 300, 500)
web.setWindowTitle('yahoo')
web.show()

sys.exit(app.exec_())

enter image description here

2 个答案:

答案 0 :(得分:2)

使用QWebElement.geometry()

def loadFinished():
    elements = web.page().mainFrame().findAllElements(css_selector)
    for index in range(elements.count()):
        print(elements.at(index).geometry())

答案 1 :(得分:0)

对于任何感兴趣的人,这是我的最终代码(基于使用QWebElement.geometry()的ekhumoro建议):

import sys
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from PyQt4.QtWebKit import *

def loadFinished():
    html = web.page().mainFrame().documentElement()
    # I couldn't find a way to find html element by text 'All Stories',
    # so copied this weird unique attribute from yahoo page source code
    el = html.findFirst('a[data-ylk="sec:strm;cpos:1;elm:itm;elmt:fltr;pos:0;ft:1;itc:1;t1:a3;t2:strm;t3:lst"]')
    qp = el.geometry().topLeft()  # returns QPoint object
    # we can either use QPoint position as is:
    # web.page().mainFrame().setScrollPosition(qp)
    # or calibrate x, y coordinates a little:
    web.page().mainFrame().setScrollPosition(QPoint(qp.x() - 15, qp.y()))

app = QApplication(sys.argv)
web = QWebView()
web.load(QUrl("http://yahoo.com"))
web.loadFinished.connect(loadFinished)
web.setGeometry(700, 500, 300, 500)
web.setWindowTitle('yahoo')
web.show()

sys.exit(app.exec_())

enter image description here