Skip to content

Mobile web-views; the non-obvious considerations

One of my last projects for the job I just left was to setup mobile applications to use the iOS and Android app stores as distribution mechanisms.

I came up with a mobile & testing strategy, which allowed our team to continue to focus on the web and just use some boilerplate I'd setup using a microsoft PWA builder; which I'd thoroughly reviewed.

This broadly went to plan, but there were some gotchas with expecting WkWebView and WebView to behave like internet browsers…

What we needed

Our needs from a web-browser were quantified informally. Here's a short list of needs.

  • Display CSS3, ES5 JavaScript, HTML5
  • Offline / ServiceWorker support
  • Hyperlinks
  • Web-Forms
  • Cookies

I think I could be forgiven in thinking modern Mobile devices, should have these amenities, especially when using a specialised component. I would of course forgive someone using a picturebox or similar component to painstakingly implement a DOM, CSS & JS parser for not matching what few companies have ever invented from scratch; but these were using at least a significant subset of established browsers.

Not meeting expectations

Firstly, I'd like to say that in complaining about free software, I know I'm being a brat. That aside; the effort required to produce the broken experiences we've endured, seem to defy logic.

iOS

Scrolling out of component

The first bug we noticed on using the iOS app-frame, was that upon scrolling, elements were showing over the "status" area of the Operating System. This might be pixel-pushing pedantry, but it's unexpected, and I feel exposes some of the implementation details of wkWebkitView. This took hours to fix, and was eventually done in CSS to avoid code-bloat of something we intended not to touch that often. We'd tried adjusting our app manifest, tweaking a variety of application views; one of which worked, but required a lot of code, and then broke other areas of the application.

How I fixed
						
header::before {
	content: ""; display: block;
	position: fixed; top: -128em; left: 0;
	width: 100%; height: 128em;
	padding: 0; margin: 0;
	background-color: white;
	z-index: 99;
}
						
					

Basically draw a giant white square off-screen to mask out the content. Nothing should render with when it has a position off-screen, so this is IMHO a bug, not a feature and I'm happier with a pseudo-element fix.

Everyone like cookies right?

The second bug was that cookies seemed to be non-persistent.

  1. Visit one of our app URLs
  2. Login using valid credentials
  3. Potentially click around
  4. Close the app
  5. Open the app
  6. See that you're logged in

This seemed to be a problem for the view, which uses webkit, so I know cookies are an option. Everything until the last step worked just fine; but opening the app and having to login each time, is tedious.

We actually never fixed this one. Given that our app allows social logins and seemed to work with password managers, we decided not to fight the platform decisions; although I will fight the notion this is somehow security related.

We've read many suggestions online to ensure cookies are not HTTP only, capture the cookies, save elsewhere; then restore, but that seems like a lot of manual handling and opportunity for something to go wrong. In-fact I'd suggest that is worse for security than sandboxing them within the web view and not allowing cookie injection.

Android

Android is a totally separate OS from iOS, but they share a domain, so you'd be forgiven for thinking they might share problems. They both suffer one problem I'll get to later, but for the most part they've introduced new and seemingly novel problems for those wishing to publish to their platforms, besides their asinine app-store experiences.

Cannot use a file-upload without writing Java

I was actually furious when I found out about this. I'm quite sure it was not always the case; and if you're writing in a normal web-browser, you can be assured you need not write Java, although you may choose to write JavaScript; I'm talking purely about having

<input type="file">
clickable and opening a file-open dialogue. This is squarely back in winforms and prior to that C++ C# & VB6 territory; it's disgusting and the creators should be ashamed!

The solution for modern Android > 23
AndroidManifest.xml
						
<!-- This is a patch to the files contents, not something to overwrite the file with -->
<uses-permission android:name="android.permission.INTERNET" />
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.CAMERA" />
<uses-feature android:name="android.hardware.camera" />
<uses-feature android:name="android.hardware.camera.autofocus" />
						
					
MainActivity.java
						
package lewiscowles.co.uk.android;

import android.annotation.SuppressLint;
import android.app.Activity;
import android.content.Intent;
import android.content.pm.ActivityInfo;
import android.content.res.AssetManager;
import android.net.Uri;
import android.os.Environment;
import android.provider.MediaStore;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.util.Log;
import android.webkit.*;

import org.json.*;

import java.io.*;
import java.text.SimpleDateFormat;
import java.util.Arrays;
import java.util.Date;

public class MainActivity extends AppCompatActivity {
    private String mediaFilePath;
    private ValueCallback<Uri[]> mediaFileCallback;
    private final static int FILE_CHOOSER_RESULT_CODE = 1;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);

        loadManifest();
        setDisplay(this);
        setOrientation(this);
        setName(this);
        setContentView(R.layout.activity_main);
        setWebView((WebView) this.findViewById(R.id.webView));
    }

	// Omitted nonsense about names, orientation & display of activity

    @SuppressLint("SetJavaScriptEnabled")
    private void setWebView(WebView myWebView) {
        WebSettings webSettings = myWebView.getSettings();
        String start_url = this.manifestObject.optString("start_url");
		String scope = this.manifestObject.optString("scope");
		/*
		 * This is Java8.
		 * It's The Java I got excited to come back to, with anonymous overrides.
		 * The below syntax as opposed to managing a class in a separate file.
		 * It could still be better if it were JSON or YAML config.
		 * It's a step forward from writing concrete classes for configuration overrides
		 */
        myWebView.setWebChromeClient(new WebChromeClient() {
            @Override
            public boolean onShowFileChooser(WebView webView, ValueCallback<Uri[]> filePathCallback, WebChromeClient.FileChooserParams fileChooserParams) {
                if (mediaFileCallback != null) {
                    mediaFileCallback.onReceiveValue(null);
                }
                mediaFileCallback = filePathCallback;
                Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
                if (takePictureIntent.resolveActivity(MainActivity.this.getPackageManager()) != null) {
                    File photoFile = null;
                    try {
                        photoFile = createImageFile();
                        takePictureIntent.putExtra("PhotoPath", mediaFilePath);
                    } catch (IOException ex) {
                        Log.e("Webview", "Image file creation failed", ex);
                    }
                    if (photoFile != null) {
                        mediaFilePath = "file:" + photoFile.getAbsolutePath();
                        takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, Uri.fromFile(photoFile));
                    } else {
                        takePictureIntent = null;
                    }
                }

                Intent contentSelectionIntent = new Intent(Intent.ACTION_GET_CONTENT);
                contentSelectionIntent.addCategory(Intent.CATEGORY_OPENABLE);
                contentSelectionIntent.setType("*/*");
                Intent[] intentArray;
                if (takePictureIntent != null) {
                    intentArray = new Intent[]{takePictureIntent};
                } else {
                    intentArray = new Intent[0];
                }

                Intent chooserIntent = new Intent(Intent.ACTION_CHOOSER);
                chooserIntent.putExtra(Intent.EXTRA_INTENT, contentSelectionIntent);
                chooserIntent.putExtra(Intent.EXTRA_TITLE, "Image Chooser");
                chooserIntent.putExtra(Intent.EXTRA_INITIAL_INTENTS, intentArray);
                startActivityForResult(chooserIntent, FILE_CHOOSER_RESULT_CODE);
                return true;
            }
        });
        myWebView.setWebViewClient(new PwaWebViewClient(start_url, scope));
		webSettings.setJavaScriptEnabled(true);
        myWebView.loadUrl(start_url);
    }

    @Override
    protected void onActivityResult(int requestCode, int resultCode, Intent intent) {
        super.onActivityResult(requestCode, resultCode, intent);
        Uri[] results = null;
        //Check if response is positive
        if (resultCode == Activity.RESULT_OK) {
            if (requestCode == FILE_CHOOSER_RESULT_CODE) {
                if (null == mediaFileCallback) {
                    return;
                }
                if (intent == null) {
                    //Capture Photo if no image available
                    if (mediaFilePath != null) {
                        results = new Uri[]{Uri.parse(mediaFilePath)};
                    }
                } else {
                    String dataString = intent.getDataString();
                    if (dataString != null) {
                        results = new Uri[]{Uri.parse(dataString)};
                    }
                }
            }
        }
        mediaFileCallback.onReceiveValue(results);
        mediaFileCallback = null;
    }

    // omitted manifest loading

    private File createImageFile() throws IOException {
        @SuppressLint("SimpleDateFormat") String timeStamp = new SimpleDateFormat("yyyyMMdd_HHmmss").format(new Date());
        String imageFileName = "img_" + timeStamp + "_";
        File storageDir = Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_PICTURES);
        return File.createTempFile(imageFileName, ".jpg", storageDir);
    }
}
						
					

I will say this was the extent to which we'd implemented Android-only fixes; I'd also chosen to allow the camera for upload; however I would note that location, accelerometer, peripherals were outside of the remit discussed and in my final weeks I did push back a lot on scope creep in order to ensure I left delivering something working; rather than a WiP.

Shared Issues

Not really a Google or iOS thing, although something I did choose to bypass was that our social logins, prevented us from logging in using some social providers, including Google. I'd assume this is to bypass cookie stores from keeping a person logged in; but for iOS it's less clear as they managed to screw-up cookie handling.

To work around this I simply accessed our application while live tail'ing the logs, checking the user-agent headers. Whilst frustrating, I did not want to impersonate a desktop and chose the specific browser presents in the devices and emulators.

iOS fix
						
override func viewDidLoad() {
	super.viewDidLoad()

	// important. this is the user-agent string from an iOS emulator. Blocking this would require the vendor to harm genuine browser users.
	let userAgent = "Mozilla/5.0 (iPhone; CPU iPhone OS 13_3 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/13.0.4 Mobile/15E148 Safari/604.1"
	let myURL = URL(string:"https://www.lewiscowles.co.uk")
	let myRequest = URLRequest(url: myURL!)
	webView.load(myRequest)
	// I've no idea if this adds extra cruft to the client request, but it seems to work for google login using devise with omnicontact. YMMV
	webView.customUserAgent = userAgent
}
						
					
Android fix
						
// I actually made the variable a private final static String on the activity class
String FAKE_UA = "Mozilla/5.0 (Linux; Android 10; Android SDK built for x86) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.185 Mobile Safari/537.36";
webSettings.setUserAgentString(FAKE_UA);
						
					

I can't say I recommend against user-agent spoofing, because I don't. I did it now and I've done it before many times, for legitimate web access, to recover lost things and to bypass API hostile web-services. I think it's as trivial as referer spoofing and speaks to interacting with a system designed by those lacking a variety of analytical and technical skills, who don't understand the following.

Never blindly trust user input!

In the future I hope that browser vendors and mobile OS proponents challenge security by obscurity, and instead focus on not creating cookies or user-agent insecure oauth screens; perhaps insisting a referer header is set with the full origin, and checking that page at a minimum prevents a number of genuine security faux-pas; transmitting unnecessary details, using HTTP 3XX redirects; missing vital compatibility security headers or meta-tag equivalents.

Summary

This turned a bit towards a rant at points. I am incredibly passionate about the web, as it's allowed me to escape and avoid the existence many others around me endure, as well as help others I'm not so sure would be as successful without the internet.

I Hope you've found some use from the information included here, especially the workarounds. I'm particularly fond of the approachability of the 1990's web I joined; and keen to keep many things this way for future generations. Hopefully this will provide some technical assistance to others, or a bookmark for me.

By