提供webview的白屏检测功能

在项目中经常会使用到WebView来加载网页。需要增加WebView的白屏检测来监控质量。

样例代码 只提供检测功能
过程简述:逐行扫描法,首先获取一个WebView的bitmap,然后取(0,0)坐标的像素。创建一个等于bitmap宽度的数组,填充满这个像素值,然后逐行遍历,一但有不相等的,则认为非白屏

/**
* 白屏
*/
private const val BLANK_SCREEN = 1
/**
* 非白屏
*/
private const val NORMAL_SCREEN = 2
/**
* 白屏检测遇到异常
*/
private const val DETECT_FAIL = 3

fun isWebViewBlank(webView: WebView?): Int {
    if(webView == null){
        retrun DETECT_FAIL
    }
    if(Looper.myLooper() != Looper.getMainLooper()){
        return DETECT_FAIL
    }
    val oldValue = webView.isDrawingCacheEnable
    try{
        if(!oldValue){
            webView.isDrawingCacheEnable = true
        }
        //获取webview当前显示在屏幕上部分的截图
        val tmpMap = webView.drawingCache
        //检测bitmap是否白屏
        val detector = PixBlankDetector()
        return if (detector.doDetect(tmpMap)) BLANK_SCREEN else NORMAL_SCREEN
    } catch(e: Throwable){
        return DETECT_FAIL
    }finally{
        if(!oldValue){
            webView.isDrawingCacheEnable = false
        }
    }
}

接下来的白屏检测的核心类PixBlankDetector

class PixBlankDetector {

    fun doDetect(bitmap: Bitmap?): Boolean {
        if(bitmap == null){
            return true
        }
        val width = bitmap.width
        val height = bitmap.height
        if(width > 0 && height > 0){
            val originPix = bitmap.getPixel(0,0)
            val target = IntArray(width)
            Arrays.fill(target,originPix)
            val source = IntArray(width)
            var isWhiteScreen = true
            for(col in 0 until height){
                bitmap.getPixels(source,0,width,0,col,width,1)
                if(!Arrays.equals(target,source)){
                    isWhiteScreen = false
                    break
                }
            }
            return isWhiteScreen
        }
        return false
    }
}