Search in sources :

Example 56 with WebViewClient

use of android.webkit.WebViewClient in project wcs-android-sdk-samples by flashphoner.

the class WebViewActivity method setWebViewSettings.

private void setWebViewSettings(WebView webView) {
    WebSettings settings = webView.getSettings();
    // Enable Javascript
    settings.setJavaScriptEnabled(true);
    // Use WideViewport and Zoom out if there is no viewport defined
    settings.setUseWideViewPort(true);
    settings.setLoadWithOverviewMode(true);
    // Enable pinch to zoom without the zoom buttons
    settings.setBuiltInZoomControls(true);
    // Allow use of Local Storage
    settings.setDomStorageEnabled(true);
    if (Build.VERSION.SDK_INT > Build.VERSION_CODES.HONEYCOMB) {
        // Hide the zoom controls for HONEYCOMB+
        settings.setDisplayZoomControls(false);
    }
    // Enable remote debugging via chrome://inspect
    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.KITKAT) {
        WebView.setWebContentsDebuggingEnabled(true);
    }
    webView.setWebViewClient(new WebViewClient() {

        @Override
        public void onReceivedSslError(WebView view, final SslErrorHandler handler, SslError error) {
            final AlertDialog.Builder builder = new AlertDialog.Builder(view.getContext());
            String message = "SSL Certificate error.";
            switch(error.getPrimaryError()) {
                case SslError.SSL_UNTRUSTED:
                    message = "The certificate authority is not trusted";
                    break;
                case SslError.SSL_EXPIRED:
                    message = "The certificate has expired";
                    break;
                case SslError.SSL_NOTYETVALID:
                    message = "The certificate is not yet valid.";
                    break;
                case SslError.SSL_IDMISMATCH:
                    message = "The cerificate ID is mismatch";
                    break;
                case SslError.SSL_DATE_INVALID:
                    message = "The certificate date is invalid";
                    break;
                case SslError.SSL_INVALID:
                    message = "The certificate is invalid";
                    break;
            }
            builder.setTitle("SSL Cerificate Error");
            builder.setMessage(message);
            builder.setPositiveButton("Continue", new DialogInterface.OnClickListener() {

                @Override
                public void onClick(DialogInterface dialogInterface, int i) {
                    handler.proceed();
                }
            });
            builder.setNegativeButton("Cancel", new DialogInterface.OnClickListener() {

                @Override
                public void onClick(DialogInterface dialogInterface, int i) {
                    handler.cancel();
                }
            });
            Log.d(TAG, "onReceivedSslError " + message);
            final AlertDialog dialog = builder.create();
            dialog.show();
        }
    });
}
Also used : AlertDialog(android.app.AlertDialog) SslErrorHandler(android.webkit.SslErrorHandler) DialogInterface(android.content.DialogInterface) WebSettings(android.webkit.WebSettings) SslError(android.net.http.SslError) WebView(android.webkit.WebView) WebViewClient(android.webkit.WebViewClient)

Example 57 with WebViewClient

use of android.webkit.WebViewClient in project LivingInCampus by DulCoder.

the class WebInfoActivity method setWebView.

/**
 * 设置WebView内容
 * @param url
 */
private void setWebView(String url) {
    wb_banner_info_more = (WebView) findViewById(R.id.wb_banner_info_more);
    if (url != null) {
        wb_banner_info_more.loadUrl(url);
        // 覆盖WebView 默认使用第三方或系统默认浏览器打开网页的行为,使网页 用 WebView 打开
        wb_banner_info_more.setWebViewClient(new WebViewClient() {

            @Override
            public boolean shouldOverrideUrlLoading(WebView view, String url) {
                // 返回值是 true的时候控制去 WebView 打开,为 false 调用系统 浏览器或第三方浏览器
                view.loadUrl(url);
                return true;
            }
        });
        // 设置支持JavaScript
        WebSettings settings = wb_banner_info_more.getSettings();
        settings.setJavaScriptEnabled(true);
        // 设置大小适应屏幕
        settings.setUseWideViewPort(true);
        settings.setLoadWithOverviewMode(true);
        // 设置字体大小
        settings.setSupportZoom(true);
        settings.setTextZoom(230);
        // 优先使用缓存
        wb_banner_info_more.getSettings().setCacheMode(WebSettings.LOAD_CACHE_ELSE_NETWORK);
    }
}
Also used : WebSettings(android.webkit.WebSettings) WebView(android.webkit.WebView) WebViewClient(android.webkit.WebViewClient)

Example 58 with WebViewClient

use of android.webkit.WebViewClient in project cyborg-core by nu-art.

the class CyborgWebView method setupClients.

private void setupClients() {
    setDownloadListener(new DownloadListener() {

        private String downloadingNow;

        @Override
        public void onDownloadStart(final String url, final String userAgent, final String contentDisposition, final String mimeType, final long contentLength) {
            logInfo("DEBUG-LOG: onDownloadStart... url: " + url + "  userAgent: " + userAgent + "  contentDisposition: " + contentDisposition + "  mimetype: " + mimeType + "  contentLength: " + contentLength);
            if (downloadingNow != null) {
                logWarning("DOWNLOAD IN PROGRESS: " + downloadingNow + "... NOT DOWNLOADING FILE FROM NEW URL: " + url);
                return;
            }
            if (downloadHandler == null) {
                if (getContext() instanceof Application) {
                    logWarning("APPLICATION CONTEXT FOUND!!! NOT DOWNLOADING FILE FROM: " + url);
                    return;
                }
                Intent i = new Intent(Intent.ACTION_VIEW);
                i.setData(Uri.parse(url));
                getContext().startActivity(i);
                return;
            }
            HandlerThread fileDownloader = new HandlerThread("File Downloader: " + url);
            fileDownloader.start();
            Handler handler = new Handler(fileDownloader.getLooper());
            downloadingNow = url;
            handler.post(new Runnable() {

                @Override
                public void run() {
                    FileOutputStream os = null;
                    InputStream is = null;
                    String fileName = contentDisposition;
                    if (fileName == null)
                        fileName = "unknown-file";
                    int index = fileName.indexOf("filename=\"");
                    if (index != -1)
                        fileName = fileName.substring(index + "filename=\"".length(), fileName.length() - 1);
                    fileName = fileName.replaceAll("[\\*/:<>\\?\\\\\\|\\+,\\.;=\\[\\]\\\"\\'\\^]", "_");
                    try {
                        HttpURLConnection connection = (HttpURLConnection) new URL(url).openConnection();
                        connection.setRequestProperty("User-Agent", userAgent);
                        connection.setRequestProperty("Content-Type", mimeType);
                        connection.connect();
                        is = connection.getInputStream();
                        File outputFile;
                        int counter = 0;
                        while (true) {
                            outputFile = new File(Storage.getDefaultStorage().getPath() + "/Download", fileName + (counter == 0 ? "" : "(" + counter + ")"));
                            if (!outputFile.exists())
                                break;
                        }
                        final File finalOutputFile = outputFile;
                        FileTools.createNewFile(finalOutputFile);
                        os = new FileOutputStream(finalOutputFile);
                        StreamTools.copy(is, contentLength, os, new ProgressNotifier() {

                            @Override
                            public void reportState(String report) {
                            }

                            @Override
                            public void onCopyStarted() {
                                downloadHandler.onDownloadStarted(url);
                            }

                            @Override
                            public void onProgressPercentage(double percentages) {
                                downloadHandler.onDownloadProgress(url, (float) percentages);
                            }

                            @Override
                            public void onCopyException(Throwable t) {
                                downloadHandler.onDownloadError(url, t);
                            }

                            @Override
                            public void onCopyEnded() {
                                downloadHandler.onDownloadEneded(url, finalOutputFile);
                            }
                        });
                    } catch (Exception e) {
                        downloadHandler.onDownloadError(url, e);
                    } finally {
                        downloadingNow = null;
                        if (os != null)
                            try {
                                os.close();
                            } catch (IOException ignored) {
                            }
                        if (is != null)
                            try {
                                is.close();
                            } catch (IOException ignored) {
                            }
                    }
                }
            });
        }
    });
    setWebChromeClient(new WebChromeClient() {

        @Override
        public void onProgressChanged(WebView view, int newProgress) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onProgressChanged... " + newProgress);
            if (pageHandler == null)
                return;
            if (newProgress >= 89)
                onPageFinished(view, view.getUrl());
            pageHandler.onProgressChanged(view, newProgress);
        }

        @Override
        public void onReachedMaxAppCacheSize(long requiredStorage, long quota, QuotaUpdater quotaUpdater) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onRequestFocus...");
            if (pageDetailsHandler == null)
                return;
            CyborgWebView.this.onReachedMaxAppCacheSize(requiredStorage, quota, quotaUpdater);
        }

        @Override
        public void onGeolocationPermissionsShowPrompt(final String origin, final Callback callback) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onGeolocationPermissionsShowPrompt (origin: " + origin + ", callback: " + callback + ")");
            if (geoLocationHandler == null)
                return;
            geoLocationHandler.onGeolocationPermissionsShowPrompt(origin, new Processor<GeoLocationResponse>() {

                @Override
                public void process(GeoLocationResponse res) {
                    callback.invoke(origin, res.enable, res.remember);
                    settings.setGeolocationEnabled(res.enable);
                }
            });
        }

        @Override
        public void onGeolocationPermissionsHidePrompt() {
            if (DEBUG)
                logInfo("DEBUG-LOG: onGeolocationPermissionsHidePrompt...");
            if (geoLocationHandler == null)
                return;
            geoLocationHandler.onGeolocationPermissionsShowPrompt();
        }

        @SuppressWarnings("unused")
        public void openFileChooser(ValueCallback<Uri> uploadMsg, String acceptType, String capture) {
            if (DEBUG)
                logInfo("DEBUG-LOG: File Chooser: " + uploadMsg + ", acceptType: " + acceptType + ", capture: " + capture);
            openFileChooser(uploadMsg, acceptType);
        }

        public void openFileChooser(final ValueCallback<Uri> uploadMsg, String acceptType) {
            if (DEBUG)
                logInfo("DEBUG-LOG: File Chooser: " + uploadMsg + ", acceptType: " + acceptType);
            if (fileChooserHandler == null)
                uploadMsg.onReceiveValue(null);
            boolean handled = fileChooserHandler.openFileChooser(getUrl(), acceptType, new Processor<Uri>() {

                @Override
                public void process(Uri uri) {
                    uploadMsg.onReceiveValue(uri);
                }
            });
            if (!handled)
                uploadMsg.onReceiveValue(null);
        }

        @SuppressWarnings("unused")
        public void openFileChooser(ValueCallback<Uri> uploadMsg) {
            if (DEBUG)
                logInfo("DEBUG-LOG: File Chooser: " + uploadMsg);
            openFileChooser(uploadMsg, null);
        }

        @Override
        public Bitmap getDefaultVideoPoster() {
            if (DEBUG)
                logInfo("DEBUG-LOG: getDefaultVideoPoster...");
            if (javaScriptHandler == null)
                return null;
            return videoHandler.getDefaultVideoPoster();
        }

        @Override
        public View getVideoLoadingProgressView() {
            if (DEBUG)
                logInfo("DEBUG-LOG: getVideoLoadingProgressView...");
            if (javaScriptHandler == null)
                return null;
            return videoHandler.getVideoLoadingProgressView();
        }

        @Override
        public boolean onJsAlert(WebView view, String url, String message, JsResult result) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onJsAlert (url: " + url + ", message: " + message + ", result: " + result + ")");
            if (javaScriptHandler == null) {
                result.confirm();
                return true;
            }
            return javaScriptHandler.onJsAlert(view, url, message, result);
        }

        @Override
        public boolean onJsBeforeUnload(WebView view, String url, String message, JsResult result) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onJsBeforeUnload (url: " + url + ", message: " + message + ", result: " + result + ")");
            if (javaScriptHandler == null) {
                result.cancel();
                return false;
            }
            return javaScriptHandler.onJsBeforeUnload(view, url, message, result);
        }

        @Override
        public boolean onJsConfirm(WebView view, String url, String message, JsResult result) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onJsConfirm (url: " + url + ", message: " + message + ", result: " + result + ")");
            if (javaScriptHandler == null) {
                result.cancel();
                return false;
            }
            return javaScriptHandler.onJsConfirm(view, url, message, result);
        }

        @Override
        public boolean onJsPrompt(WebView view, String url, String message, String defaultValue, JsPromptResult result) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onJsPrompt (url: " + url + ", message: " + message + ", defaultValue: " + defaultValue + ", result: " + result + ")");
            if (javaScriptHandler == null) {
                result.cancel();
                return false;
            }
            return javaScriptHandler.onJsPrompt(view, url, message, defaultValue, result);
        }

        @Override
        public boolean onCreateWindow(WebView view, boolean isDialog, boolean isUserGesture, Message resultMsg) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onCreateWindow (isDialog: " + isDialog + ", isUserGesture: " + isUserGesture + ", resultMsg: " + resultMsg + ")");
            if (windowHandler == null)
                return false;
            return windowHandler.onCreateWindow(view, isDialog, isUserGesture, resultMsg);
        }

        @Override
        public void onCloseWindow(WebView window) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onCloseWindow...");
            if (windowHandler == null)
                return;
            windowHandler.onCloseWindow(window);
        }

        @Override
        public void onShowCustomView(View view, int requestedOrientation, CustomViewCallback callback) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onShowCustomView (callback: " + callback + ")");
            if (javaScriptHandler == null)
                return;
            customViewHandler.onShowCustomView(view, requestedOrientation, callback);
        }

        @Override
        public void onShowCustomView(View view, CustomViewCallback callback) {
            onShowCustomView(view, 0, callback);
        }

        @Override
        public void onHideCustomView() {
            if (DEBUG)
                logInfo("DEBUG-LOG: onHideCustomView...");
            if (javaScriptHandler == null)
                return;
            customViewHandler.onHideCustomView();
        }

        @Override
        public void onReceivedIcon(WebView view, Bitmap icon) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedIcon (icon: " + icon + ")");
            if (pageDetailsHandler == null)
                return;
            pageDetailsHandler.onReceivedIcon(view, icon);
        }

        @Override
        public void onReceivedTitle(WebView view, String title) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedTitle (title: " + title + ")");
            if (pageDetailsHandler == null)
                return;
            pageDetailsHandler.onReceivedTitle(view, title);
        }

        @Override
        public void onReceivedTouchIconUrl(WebView view, String url, boolean precomposed) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedTouchIconUrl (url: " + url + ", precomposed: " + precomposed + ")");
            if (pageDetailsHandler == null)
                return;
            pageDetailsHandler.onReceivedTouchIconUrl(view, url, precomposed);
        }

        @Override
        public void onRequestFocus(WebView view) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onRequestFocus...");
            if (pageDetailsHandler == null)
                return;
            pageDetailsHandler.onRequestFocus(view);
        }
    });
    setWebViewClient(new WebViewClient() {

        @Override
        public void doUpdateVisitedHistory(WebView view, String url, boolean isReload) {
            if (DEBUG)
                logInfo("DEBUG-LOG: doUpdateVisitedHistory (url: " + url + ", isReload: " + isReload + ")");
            if (pageHandler == null)
                return;
            pageHandler.doUpdateVisitedHistory(view, url, isReload);
        }

        @Override
        public void onLoadResource(WebView view, String url) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onLoadResource (url: " + url + ")");
            if (pageHandler == null)
                return;
            pageHandler.onLoadResource(view, url);
        }

        @Override
        public void onPageFinished(WebView view, String url) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onPageFinished (url: " + url + ")");
            CyborgWebView.this.onPageFinished(view, url);
        }

        @Override
        public void onPageStarted(WebView view, String url, Bitmap favicon) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onPageStarted (url: " + url + ", favicon: " + favicon + ")");
            finishedURL = null;
            if (pageHandler == null)
                return;
            pageHandler.onPageStarted(view, url, favicon);
        }

        @Override
        public void onReceivedError(WebView view, int errorCode, String description, String failingUrl) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedError (errorCode: " + errorCode + ", description: " + description + ", failingUrl: " + failingUrl + ")");
            if (pageHandler == null)
                return;
            pageHandler.onReceivedError(view, errorCode, description, failingUrl);
        }

        @Override
        public boolean shouldOverrideUrlLoading(WebView view, String url) {
            if (DEBUG)
                logInfo("DEBUG-LOG: shouldOverrideUrlLoading: " + url);
            if (url.toLowerCase().equals("about:blank"))
                return super.shouldOverrideUrlLoading(view, url);
            if (URLUtil.isHttpsUrl(url) || URLUtil.isHttpUrl(url)) {
                if (pageHandler != null && pageHandler.shouldOverrideUrlLoading(view, url))
                    return true;
                return super.shouldOverrideUrlLoading(view, url);
            }
            if (getContext() instanceof Activity && resolveUrl(url))
                return true;
            if (pageHandler != null && pageHandler.resolveNoneHttpUrl(view, url))
                return true;
            if (!(getContext() instanceof Activity))
                return true;
            try {
                Intent intent = new Intent(Intent.ACTION_VIEW);
                intent.setData(Uri.parse(url));
                getContext().startActivity(intent);
            } catch (Throwable e) {
                logError(e);
            }
            return true;
        }

        /*
			 * requestHandler
			 */
        @Override
        public void onFormResubmission(WebView view, Message dontResend, Message resend) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onFormResubmission...");
            if (requestHandler == null)
                return;
            requestHandler.onFormResubmission(view, dontResend, resend);
        }

        @Override
        public void onReceivedHttpAuthRequest(WebView view, HttpAuthHandler handler, String host, String realm) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedHttpAuthRequest (host: " + host + ", realm: " + realm + ")");
            if (requestHandler == null)
                return;
            requestHandler.onReceivedHttpAuthRequest(view, handler, host, realm);
        }

        @Override
        @SuppressWarnings("unused")
        public void onReceivedLoginRequest(WebView view, String realm, String account, String args) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedLoginRequest (realm: " + realm + ", account: " + account + ", args: " + args + ")");
            if (requestHandler == null)
                return;
            requestHandler.onReceivedLoginRequest(view, realm, account, args);
        }

        @Override
        public void onReceivedSslError(WebView view, SslErrorHandler handler, SslError error) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onReceivedSslError (error: " + error + ")");
            if (requestHandler == null)
                return;
            requestHandler.onReceivedSslError(view, handler, error);
        }

        @Override
        public WebResourceResponse shouldInterceptRequest(WebView view, String url) {
            if (DEBUG)
                logInfo("DEBUG-LOG: shouldInterceptRequest: " + url);
            if (requestHandler == null)
                return null;
            return requestHandler.shouldInterceptRequest(view, url);
        }

        @Override
        public void onTooManyRedirects(WebView view, Message cancelMsg, Message continueMsg) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onTooManyRedirects...");
            if (requestHandler == null)
                return;
            requestHandler.onTooManyRedirects(view, cancelMsg, continueMsg);
        }

        @Override
        public void onUnhandledKeyEvent(WebView view, KeyEvent event) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onUnhandledKeyEvent: " + event);
            if (systemHandler == null)
                return;
            systemHandler.onUnhandledKeyEvent(view, event);
        }

        @Override
        public void onScaleChanged(WebView view, float oldScale, float newScale) {
            if (DEBUG)
                logInfo("DEBUG-LOG: onScaleChanged: " + oldScale + " => " + newScale);
            if (systemHandler == null)
                return;
            systemHandler.onScaleChanged(view, oldScale, newScale);
        }

        @Override
        public boolean shouldOverrideKeyEvent(WebView view, KeyEvent event) {
            if (DEBUG)
                logInfo("DEBUG-LOG: shouldOverrideKeyEvent: " + event);
            if (systemHandler == null)
                return false;
            return systemHandler.shouldOverrideKeyEvent(view, event);
        }
    });
}
Also used : SslErrorHandler(android.webkit.SslErrorHandler) Processor(com.nu.art.core.generics.Processor) ProgressNotifier(com.nu.art.core.interfaces.ProgressNotifier) Message(android.os.Message) SslError(android.net.http.SslError) GeoLocationResponse(com.nu.art.cyborg.web.api.WebViewGeoLocationHandler.GeoLocationResponse) Activity(android.app.Activity) Uri(android.net.Uri) URL(java.net.URL) JsResult(android.webkit.JsResult) KeyEvent(android.view.KeyEvent) Bitmap(android.graphics.Bitmap) HttpURLConnection(java.net.HttpURLConnection) HttpAuthHandler(android.webkit.HttpAuthHandler) WebChromeClient(android.webkit.WebChromeClient) WebView(android.webkit.WebView) WebViewClient(android.webkit.WebViewClient) InputStream(java.io.InputStream) WebViewWindowHandler(com.nu.art.cyborg.web.api.WebViewWindowHandler) SslErrorHandler(android.webkit.SslErrorHandler) Handler(android.os.Handler) HttpAuthHandler(android.webkit.HttpAuthHandler) WebViewFileChooserHandler(com.nu.art.cyborg.web.api.WebViewFileChooserHandler) WebViewJavaScriptHandler(com.nu.art.cyborg.web.api.WebViewJavaScriptHandler) WebViewVideoHandler(com.nu.art.cyborg.web.api.WebViewVideoHandler) WebViewDownloadHandler(com.nu.art.cyborg.web.api.WebViewDownloadHandler) WebViewSystemHandler(com.nu.art.cyborg.web.api.WebViewSystemHandler) WebViewGeoLocationHandler(com.nu.art.cyborg.web.api.WebViewGeoLocationHandler) WebViewPageDetailsHandler(com.nu.art.cyborg.web.api.WebViewPageDetailsHandler) WebViewCustomViewHandler(com.nu.art.cyborg.web.api.WebViewCustomViewHandler) ScriptActionErrorHandler(com.nu.art.cyborg.web.api.ScriptActionErrorHandler) WebViewPageHandler(com.nu.art.cyborg.web.api.WebViewPageHandler) WebViewRequestHandler(com.nu.art.cyborg.web.api.WebViewRequestHandler) Intent(android.content.Intent) IOException(java.io.IOException) View(android.view.View) WebView(android.webkit.WebView) SuppressLint(android.annotation.SuppressLint) IOException(java.io.IOException) ValueCallback(android.webkit.ValueCallback) Callback(android.webkit.GeolocationPermissions.Callback) HandlerThread(android.os.HandlerThread) WebResourceResponse(android.webkit.WebResourceResponse) DownloadListener(android.webkit.DownloadListener) FileOutputStream(java.io.FileOutputStream) QuotaUpdater(android.webkit.WebStorage.QuotaUpdater) Application(android.app.Application) File(java.io.File) JsPromptResult(android.webkit.JsPromptResult)

Example 59 with WebViewClient

use of android.webkit.WebViewClient in project Auto.js by hyb1996.

the class JsWebView method init.

private void init() {
    WebSettings settings = getSettings();
    settings.setUseWideViewPort(true);
    settings.setBuiltInZoomControls(true);
    settings.setLoadWithOverviewMode(true);
    settings.setJavaScriptEnabled(true);
    settings.setJavaScriptCanOpenWindowsAutomatically(true);
    settings.setDomStorageEnabled(true);
    settings.setDisplayZoomControls(false);
    setWebViewClient(new WebViewClient());
    setWebChromeClient(new WebChromeClient());
}
Also used : WebSettings(android.webkit.WebSettings) WebChromeClient(android.webkit.WebChromeClient) WebViewClient(android.webkit.WebViewClient)

Example 60 with WebViewClient

use of android.webkit.WebViewClient in project habpanelviewer by vbier.

the class ClientWebView method initialize.

synchronized void initialize(final IConnectionListener cl) {
    setWebChromeClient(new WebChromeClient() {

        @Override
        public boolean onConsoleMessage(ConsoleMessage consoleMessage) {
            if (consoleMessage.message().contains("SSE error, closing EventSource")) {
                cl.disconnected();
            }
            return super.onConsoleMessage(consoleMessage);
        }
    });
    setWebViewClient(new WebViewClient() {

        @Override
        public void onPageFinished(WebView view, String url) {
            super.onPageFinished(view, url);
            if (isHabPanelUrl(url)) {
                evaluateJavascript("angular.element(document.body).scope().$root.kioskMode", s -> {
                    mKioskMode = Boolean.parseBoolean(s);
                    Log.d(TAG, "HABPanel page loaded. kioskMode=" + mKioskMode);
                });
            }
        }

        @Override
        public void onReceivedSslError(WebView view, final SslErrorHandler handler, final SslError error) {
            Log.d(TAG, "onReceivedSslError: " + error.getUrl());
            SslCertificate cert = error.getCertificate();
            if (ConnectionUtil.isTrusted(error.getCertificate())) {
                Log.d(TAG, "certificate is trusted: " + error.getUrl());
                handler.proceed();
                return;
            }
            String h;
            try {
                URL url = new URL(error.getUrl());
                h = url.getHost();
            } catch (MalformedURLException e) {
                h = getContext().getString(R.string.unknownHost);
            }
            final String host = h;
            String r = getContext().getString(R.string.notValid);
            switch(error.getPrimaryError()) {
                case SslError.SSL_DATE_INVALID:
                    r = getContext().getString(R.string.invalidDate);
                    break;
                case SslError.SSL_EXPIRED:
                    r = getContext().getString(R.string.expired);
                    break;
                case SslError.SSL_IDMISMATCH:
                    r = getContext().getString(R.string.hostnameMismatch);
                    break;
                case SslError.SSL_NOTYETVALID:
                    r = getContext().getString(R.string.notYetValid);
                    break;
                case SslError.SSL_UNTRUSTED:
                    r = getContext().getString(R.string.untrusted);
                    break;
            }
            final String reason = r;
            String c = getContext().getString(R.string.issuedBy) + cert.getIssuedBy().getDName() + "<br/>";
            c += getContext().getString(R.string.issuedTo) + cert.getIssuedTo().getDName() + "<br/>";
            c += getContext().getString(R.string.validFrom) + SimpleDateFormat.getDateInstance().format(cert.getValidNotBeforeDate()) + "<br/>";
            c += getContext().getString(R.string.validUntil) + SimpleDateFormat.getDateInstance().format(cert.getValidNotAfterDate()) + "<br/>";
            final String certInfo = c;
            new AlertDialog.Builder(ClientWebView.this.getContext()).setTitle(getContext().getString(R.string.certInvalid)).setMessage(getContext().getString(R.string.sslCert) + "https://" + host + " " + reason + ".\n\n" + certInfo.replaceAll("<br/>", "\n") + "\n" + getContext().getString(R.string.storeSecurityException)).setIcon(android.R.drawable.ic_dialog_alert).setPositiveButton(android.R.string.yes, (dialog, whichButton) -> {
                try {
                    ConnectionUtil.addCertificate(error.getCertificate());
                } catch (Exception e) {
                    e.printStackTrace();
                }
                handler.proceed();
            }).setNegativeButton(android.R.string.no, (dialog, whichButton) -> loadData("<html><body><h1>" + getContext().getString(R.string.certInvalid) + "</h1><h2>" + getContext().getString(R.string.sslCert) + "https://" + host + " " + reason + ".</h2>" + certInfo + "</body></html>", "text/html", "UTF-8")).show();
        }

        @Override
        public void onReceivedHttpAuthRequest(WebView view, final HttpAuthHandler handler, final String host, final String realm) {
            AlertDialog.Builder dialog = new AlertDialog.Builder(getContext()).setCancelable(false).setTitle(R.string.login_required).setMessage(getContext().getString(R.string.host_realm, host, realm)).setView(R.layout.dialog_login).setPositiveButton(R.string.okay, (dialog12, id) -> {
                EditText userT = ((AlertDialog) dialog12).findViewById(R.id.username);
                EditText passT = ((AlertDialog) dialog12).findViewById(R.id.password);
                handler.proceed(userT.getText().toString(), passT.getText().toString());
            }).setNegativeButton(R.string.cancel, (dialog1, which) -> handler.cancel());
            final AlertDialog alert = dialog.create();
            alert.show();
        }
    });
    setOnTouchListener((v, event) -> (event.getAction() == MotionEvent.ACTION_MOVE && mDraggingPrevented));
    CookieManager.getInstance().setAcceptCookie(true);
    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
        CookieManager.getInstance().setAcceptThirdPartyCookies(this, true);
    }
    WebSettings webSettings = getSettings();
    webSettings.setDomStorageEnabled(true);
    final IntentFilter intentFilter = new IntentFilter();
    intentFilter.addAction(ConnectivityManager.CONNECTIVITY_ACTION);
    getContext().registerReceiver(mNetworkReceiver, intentFilter);
}
Also used : Context(android.content.Context) WebViewDatabase(android.webkit.WebViewDatabase) ConsoleMessage(android.webkit.ConsoleMessage) URL(java.net.URL) URISyntaxException(java.net.URISyntaxException) IConnectionListener(de.vier_bier.habpanelviewer.openhab.IConnectionListener) SimpleDateFormat(java.text.SimpleDateFormat) Intent(android.content.Intent) SslErrorHandler(android.webkit.SslErrorHandler) AttributeSet(android.util.AttributeSet) WebSettings(android.webkit.WebSettings) MotionEvent(android.view.MotionEvent) CookieManager(android.webkit.CookieManager) WebViewClient(android.webkit.WebViewClient) View(android.view.View) URI(java.net.URI) Build(android.os.Build) WebView(android.webkit.WebView) TargetApi(android.annotation.TargetApi) Log(android.util.Log) WebChromeClient(android.webkit.WebChromeClient) HttpAuthHandler(android.webkit.HttpAuthHandler) ConnectivityManager(android.net.ConnectivityManager) SslError(android.net.http.SslError) MalformedURLException(java.net.MalformedURLException) IntentFilter(android.content.IntentFilter) NetworkInfo(android.net.NetworkInfo) InputType(android.text.InputType) BroadcastReceiver(android.content.BroadcastReceiver) ConnectionUtil(de.vier_bier.habpanelviewer.ssl.ConnectionUtil) AlertDialog(android.support.v7.app.AlertDialog) SharedPreferences(android.content.SharedPreferences) SslCertificate(android.net.http.SslCertificate) EditText(android.widget.EditText) AlertDialog(android.support.v7.app.AlertDialog) EditText(android.widget.EditText) SslErrorHandler(android.webkit.SslErrorHandler) IntentFilter(android.content.IntentFilter) MalformedURLException(java.net.MalformedURLException) SslError(android.net.http.SslError) ConsoleMessage(android.webkit.ConsoleMessage) URL(java.net.URL) URISyntaxException(java.net.URISyntaxException) MalformedURLException(java.net.MalformedURLException) SslCertificate(android.net.http.SslCertificate) HttpAuthHandler(android.webkit.HttpAuthHandler) WebSettings(android.webkit.WebSettings) WebChromeClient(android.webkit.WebChromeClient) WebView(android.webkit.WebView) WebViewClient(android.webkit.WebViewClient)

Aggregations

WebViewClient (android.webkit.WebViewClient)247 WebView (android.webkit.WebView)229 WebSettings (android.webkit.WebSettings)77 View (android.view.View)71 WebChromeClient (android.webkit.WebChromeClient)69 SuppressLint (android.annotation.SuppressLint)61 Intent (android.content.Intent)60 Bitmap (android.graphics.Bitmap)59 WebResourceRequest (android.webkit.WebResourceRequest)35 TextView (android.widget.TextView)26 LinearLayout (android.widget.LinearLayout)22 WebResourceError (android.webkit.WebResourceError)21 WebResourceResponse (android.webkit.WebResourceResponse)16 Uri (android.net.Uri)15 SslError (android.net.http.SslError)13 Bundle (android.os.Bundle)13 Toolbar (android.support.v7.widget.Toolbar)13 KeyEvent (android.view.KeyEvent)13 SslErrorHandler (android.webkit.SslErrorHandler)13 TargetApi (android.annotation.TargetApi)12