Android Webview - Completely Clear the Cache Android Webview - Completely Clear the Cache android android

Android Webview - Completely Clear the Cache


I found an even elegant and simple solution to clearing cache

WebView obj;obj.clearCache(true);

http://developer.android.com/reference/android/webkit/WebView.html#clearCache%28boolean%29

I have been trying to figure out the way to clear the cache, but all we could do from the above mentioned methods was remove the local files, but it never clean the RAM.

The API clearCache, frees up the RAM used by the webview and hence mandates that the webpage be loaded again.


The edited code snippet above posted by Gaunt Face contains an error in that if a directory fails to delete because one of its files cannot be deleted, the code will keep retrying in an infinite loop. I rewrote it to be truly recursive, and added a numDays parameter so you can control how old the files must be that are pruned:

//helper method for clearCache() , recursive//returns number of deleted filesstatic int clearCacheFolder(final File dir, final int numDays) {    int deletedFiles = 0;    if (dir!= null && dir.isDirectory()) {        try {            for (File child:dir.listFiles()) {                //first delete subdirectories recursively                if (child.isDirectory()) {                    deletedFiles += clearCacheFolder(child, numDays);                }                //then delete the files and subdirectories in this dir                //only empty directories can be deleted, so subdirs have been done first                if (child.lastModified() < new Date().getTime() - numDays * DateUtils.DAY_IN_MILLIS) {                    if (child.delete()) {                        deletedFiles++;                    }                }            }        }        catch(Exception e) {            Log.e(TAG, String.format("Failed to clean the cache, error %s", e.getMessage()));        }    }    return deletedFiles;}/* * Delete the files older than numDays days from the application cache * 0 means all files. */public static void clearCache(final Context context, final int numDays) {    Log.i(TAG, String.format("Starting cache prune, deleting files older than %d days", numDays));    int numDeletedFiles = clearCacheFolder(context.getCacheDir(), numDays);    Log.i(TAG, String.format("Cache pruning completed, %d files deleted", numDeletedFiles));}

Hopefully of use to other people :)


I found the fix you were looking for:

context.deleteDatabase("webview.db");context.deleteDatabase("webviewCache.db");

For some reason Android makes a bad cache of the url which it keeps returning by accident instead of the new data you need. Sure, you could just delete the entries from the DB but in my case I am only trying to access one URL so blowing away the whole DB is easier.

And don't worry, these DBs are just associated with your app so you aren't clearing the cache of the whole phone.