Reputation: 13787
I want to apply Custom CSS into external webpage in WebView just like follow
webView.loadUrl("<style>body {font-size:15px;}</style>");
webView.loadUrl("http://www.stackoverflow.com");
Upvotes: 10
Views: 6628
Reputation: 692
You can inject custom JS by using the javascript:
URL capability.
Here's how you can add CSS rules using this from Java:
/**
* Creates a CSS element in the <head> section of the Web page and assigns it
* to a `customSheet` JS variable
*/
private final static String CREATE_CUSTOM_SHEET =
"if (typeof(document.head) != 'undefined' && typeof(customSheet) == 'undefined') {"
+ "var customSheet = (function() {"
+ "var style = document.createElement(\"style\");"
+ "style.appendChild(document.createTextNode(\"\"));"
+ "document.head.appendChild(style);"
+ "return style.sheet;"
+ "})();"
+ "}";
/**
* Adds CSS properties to the loaded Web page. A <head> section should exist when this method is called.
* The Web view should be configured with `.getSettings().setJavaScriptEnabled(true);`
*
* @param webView Web view to inject into
* @param cssRules CSS rules to inject
*/
void injectCssIntoWebView(WebView webView, String... cssRules) {
StringBuilder jsUrl = new StringBuilder("javascript:");
jsUrl
.append(CREATE_CUSTOM_SHEET)
.append("if (typeof(customSheet) != 'undefined') {");
int cnt = 0;
for (String cssRule : cssRules) {
jsUrl
.append("customSheet.insertRule('")
.append(cssRule)
.append("', ")
.append(cnt++)
.append(");");
}
jsUrl.append("}");
webView.loadUrl(jsUrl.toString());
}
And here's an usage example of the above method:
@Override
public void onPageFinished(WebView webView, String url) {
// Several people probably worked hard on the design of this Web page, let's hope they won't see what's next
injectCssIntoWebView(
webView,
"div { border: 4px solid yellow; }",
"p { border: 4px solid green; }",
"a { border: 4px solid black; }",
"img { border: 4px solid blue; }"
);
}
Upvotes: 5
Reputation: 1948
String html = ... // load manually
// insert the style to <head>
webview.loadData(html, "text/html", null);
Upvotes: 0