Reputation: 407
I have HTML5 based web application i want it to integrate with WebView ,So does android webview browsers support html5 features?
Upvotes: 21
Views: 29336
Reputation: 412
Use JavaScript bridge in Android to integrate with WebView:
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
webView.addJavascriptInterface(JavaScriptShareInterface(::exampleFunction))
}
private fun exampleFunction(s: String) {
// do something when it is called
}
}
class JavaScriptShareInterface(
private val exampleCallback: (string: String) -> Unit,
) {
// You can call this in webpage code
@JavascriptInterface
fun doExample(string: String?) {
exampleCallback.invoke(string)
}
}
Upvotes: 0
Reputation: 407
Thanks @theomega I used the following way to enable using light touches to make a selection and activate mouseovers.
try {
WebSettings.class.getMethod("setLightTouchEnabled", new Class[]{Boolean.TYPE});
} catch (SecurityException e) {
e.printStackTrace();
} catch (NoSuchMethodException e) {
e.printStackTrace();
}
Upvotes: 2
Reputation: 752
On your android browser open this link : http://html5test.com it will give you all the information that you need : Parsing rules , Canvas ,video,Audio,elements,forms,webapp...
Upvotes: 12
Reputation: 32031
A WebView
supports them, but you have to turn them on. I use the following code which turns on every features which are available. This is necessary because Application Caches for example are not supported on All Android-Versions:
wv = (WebView) findViewById(R.id.webview);
WebSettings ws = wv.getSettings();
ws.setJavaScriptEnabled(true);
ws.setAllowFileAccess(true);
if (Build.VERSION.SDK_INT>=Build.VERSION_CODES.ECLAIR) {
try {
Log.d(TAG, "Enabling HTML5-Features");
Method m1 = WebSettings.class.getMethod("setDomStorageEnabled", new Class[]{Boolean.TYPE});
m1.invoke(ws, Boolean.TRUE);
Method m2 = WebSettings.class.getMethod("setDatabaseEnabled", new Class[]{Boolean.TYPE});
m2.invoke(ws, Boolean.TRUE);
Method m3 = WebSettings.class.getMethod("setDatabasePath", new Class[]{String.class});
m3.invoke(ws, "/data/data/" + getPackageName() + "/databases/");
Method m4 = WebSettings.class.getMethod("setAppCacheMaxSize", new Class[]{Long.TYPE});
m4.invoke(ws, 1024*1024*8);
Method m5 = WebSettings.class.getMethod("setAppCachePath", new Class[]{String.class});
m5.invoke(ws, "/data/data/" + getPackageName() + "/cache/");
Method m6 = WebSettings.class.getMethod("setAppCacheEnabled", new Class[]{Boolean.TYPE});
m6.invoke(ws, Boolean.TRUE);
Log.d(TAG, "Enabled HTML5-Features");
}
catch (NoSuchMethodException e) {
Log.e(TAG, "Reflection fail", e);
}
catch (InvocationTargetException e) {
Log.e(TAG, "Reflection fail", e);
}
catch (IllegalAccessException e) {
Log.e(TAG, "Reflection fail", e);
}
}
Upvotes: 54
Reputation: 30135
You didn't specify which features you're looking for exactly,
but Android (and iOS) use Webkit. So yes.
Upvotes: 1