从QWebView获取javascript变量值到python中

时间:2015-11-13 00:59:38

标签: javascript python-3.x pyside

在我的应用程序中,我的一面有一张表格,另一面有谷歌地图。要显示谷歌地图,我使用他们的javascript api。 javascript是作为字符串写的,并且是由QWebView调用的html的一部分。我的目标是让用户点击并拖动别针。在引脚停止拖动之后,它将通过qt更新右侧的2个文本框,这将填充掉落引脚的经度和纬度。我无法弄清楚如何在javascript和python之间发送数据。我正在使用带有pyside qt绑定的python3。

这是我到目前为止所拥有的。

webView = QWebView()
webView.setHtml(html)
self.central_widget_grid.addWidget(webView,1,0)

Html是另一个文件中定义的常量

#!/usr/bin/python

jscode = """
    var map;
    var marker;
    function initMap() {
        map = new google.maps.Map(document.getElementById('map'), {
        center: {lat: 40.793697, lng: -77.8586},
        zoom: 10
        });

        map.addListener('click', function(e) {
            placeMarkerAndPanTo(e.latLng, map);
        });
    }

    function placeMarkerAndPanTo(latLng, map) {
      if (marker === undefined) {
            marker = new google.maps.Marker({
            position: latLng,
            map: map,
            title: "Station Location",
            draggable: true
          });
          map.panTo(latLng);
          marker.addListener('dragend', function() { draggedMarker(); });
      }
    }

    function draggedMarker() {
        alert(marker.getPosition());
        statLoc.updateLoc(marker.getPosition().lat(), marker.getPosition().lng());

    }
     """

html = """<!DOCTYPE html>
    <html>
    <head>
    <meta name="viewport" content="initial-scale=1.0, user-scalable=no" />
    <style type="text/css">
      html { height: 100% }
      body { height: 100%; margin: 0px; padding: 0px }
      #map_canvas { height: 100% }
    </style>
    <script type="text/javascript"
      src="http://maps.google.com/maps/api/js?sensor=false&callback=initMap">
    </script>
    <script type="text/javascript">""" + jscode +  """


    </script>
    </head>
    <body onload="initMap();">
        <div id="map" style="width:100%; height:100%"></div>
    </body>
    </html>"""

我尝试创建一个包含纬度和经度的类,然后通过调用addToJavaScriptWindowObject传递它。

class StationLocation(QObject):
    latitude = 0.0
    longitude = 0.0

    def __init__(self):
        super(StationLocation, self).__init__()

    def updateLoc(self,lat,long):
        self.latitude = lat
        self.longitude = long
        print(self.latitude, self.longitude)

对我的webView进行以下更改

    webView = QWebView()
    webView.setHtml(html)

    frame = webView.page().mainFrame()
    frame.addToJavaScriptWindowObject('statLoc', self.station_location)

    self.central_widget_grid.addWidget(webView, 1, 0)

添加了。使用StationLocations中的print语句,我希望每次调用该函数时都会在控制台中看到打印的纬度和经度。我无法找出原因并非如此。

1 个答案:

答案 0 :(得分:2)

你做错了两件事。首先,您需要等到页面加载后再添加对象。其次,javascript必须只调用被装饰为插槽的添加对象的方法。

以下是一个工作演示。但有一点需要注意:addToJavaScriptWindowObject的PySide实现是错误的。应该可以使用self(即主窗口)作为添加的对象,但是当我尝试使用PySide时,它会在退出时挂起几秒钟然后转储核心。出于这个原因,我在演示中使用了一个代理对象 - 但是使用PyQt时,不需要代理。

import sys
from PySide import QtCore, QtGui, QtWebKit

html = '''
<html><head>
<meta name="viewport" content="initial-scale=1.0, user-scalable=no" />
<style type="text/css">
    html { height: 100% }
    body { height: 100%; margin: 0; padding: 0 }
    #map { width: 100%; height: 100% }
</style>
<script src="https://maps.googleapis.com/maps/api/js"></script>
<script type="text/javascript">
    var map, marker
    function initialize() {
        map = new google.maps.Map(document.getElementById("map"), {
            center: {lat: 40.793697, lng: -77.8586},
            zoom: 10
        })
        marker = new google.maps.Marker({
            map: map,
            position: map.getCenter(),
            draggable: true
        })
        marker.addListener("dragend", function () {
            var pos = marker.getPosition()
            qt.showLocation(pos.lat(), pos.lng())
            console.log("dragend: " + pos.toString())
        })
    }
    google.maps.event.addDomListener(window, "load", initialize)
</script>
</head>
<body><div id="map"/></body>
</html>
'''

class WebPage(QtWebKit.QWebPage):
    def javaScriptConsoleMessage(self, message, line, source):
        if source:
            print('line(%s) source(%s): %s' % (line, source, message))
        else:
            print(message)

class Proxy(QtCore.QObject):
    @QtCore.Slot(float, float)
    def showLocation(self, latitude, longitude):
        self.parent().edit.setText('%s, %s' % (latitude, longitude))

class MainWindow(QtGui.QWidget):
    def __init__(self, parent=None):
        super(MainWindow, self).__init__(parent)
        self.view = QtWebKit.QWebView(self)
        self.view.setPage(WebPage(self))
        self.edit = QtGui.QLineEdit(self)
        layout = QtGui.QVBoxLayout(self)
        layout.addWidget(self.view)
        layout.addWidget(self.edit)
        self.map = self.view.page().mainFrame()
        self.map.loadFinished.connect(self.handleLoadFinished)
        self.view.setHtml(html)
        self._proxy = Proxy(self)

    def handleLoadFinished(self, ok):
        self.map.addToJavaScriptWindowObject('qt', self._proxy)

if __name__ == '__main__':

    app = QtGui.QApplication(sys.argv)
    window = MainWindow()
    window.setGeometry(500, 300, 800, 600)
    window.show()
    sys.exit(app.exec_())