22

我正在使用 JAVA FX 控件开发一个摇摆应用程序。在我的应用程序中,我必须打印出 webview 中显示的 html 页面。我正在尝试在 HtmlDocuement 的帮助下将 webview 的 html 内容加载到字符串中。

要从 web 视图加载 html 文件的内容,我正在使用以下代码,但它不起作用:

try
{
    String str=webview1.getEngine().getDocment().Body().outerHtml();
}
catch(Exception ex)
{
}
4

2 回答 2

46
String html = (String) webEngine.executeScript("document.documentElement.outerHTML");
于 2013-12-29T17:29:11.917 回答
23

WebEngine.getDocument返回org.w3c.dom.Document,而不是您期望通过代码判断的 JavaScript 文档。

不幸的是,打印出来org.w3c.dom.Document需要相当多的编码。您可以尝试从What is the shortest way to pretty print a org.w3c.dom.Document to stdout? ,请参见下面的代码。

请注意,在使用Document. 这就是LoadWorker这里使用的原因:

public void start(Stage primaryStage) {
    WebView webview = new WebView();
    final WebEngine webengine = webview.getEngine();
    webengine.getLoadWorker().stateProperty().addListener(
            new ChangeListener<State>() {
                public void changed(ObservableValue ov, State oldState, State newState) {
                    if (newState == Worker.State.SUCCEEDED) {
                        Document doc = webengine.getDocument();
                        try {
                            Transformer transformer = TransformerFactory.newInstance().newTransformer();
                            transformer.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION, "no");
                            transformer.setOutputProperty(OutputKeys.METHOD, "xml");
                            transformer.setOutputProperty(OutputKeys.INDENT, "yes");
                            transformer.setOutputProperty(OutputKeys.ENCODING, "UTF-8");
                            transformer.setOutputProperty("{http://xml.apache.org/xslt}indent-amount", "4");

                            transformer.transform(new DOMSource(doc),
                                    new StreamResult(new OutputStreamWriter(System.out, "UTF-8")));
                        } catch (Exception ex) {
                            ex.printStackTrace();
                        }
                    }
                }
            });
    webengine.load("http://stackoverflow.com");
    primaryStage.setScene(new Scene(webview, 800, 800));
    primaryStage.show();
}
于 2013-01-11T18:13:08.887 回答