我正在使用JAVA FX控件处理swing应用程序。在我的应用程序中,我必须打印出webview中显示的html页面。我想要的是在HtmlDocuement的帮助下在一个字符串中加载webview的html内容。
要从网页视图加载html文件的内容,我使用以下代码,但它不起作用:
try
{
String str=webview1.getEngine().getDocment().Body().outerHtml();
}
catch(Exception ex)
{
}
答案 0 :(得分:40)
String html = (String) webEngine.executeScript("document.documentElement.outerHTML");
答案 1 :(得分:21)
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();
}