Qt在Android平臺上實現html轉PDF的功能

来源:https://www.cnblogs.com/ALittleDruid/archive/2019/11/24/11922742.html
-Advertisement-
Play Games

Qt for Android Qt for Android enables you to run Qt 5 applications Android devices. All Qt modules (essential and add-on) are supported except Qt WebE ...


Qt for Android

Qt for Android enables you to run Qt 5 applications Android devices. All Qt modules (essential and add-on) are supported except Qt WebEngine, Qt Serial Port, and the platform-specific ones (Qt Mac Extras, Qt Windows Extras, and Qt X11 Extras).

 

在Windows或者Linux平臺上可以用QtWebEngine模塊實現網頁預覽和列印成PDF文檔,用起來很方便,生成的文檔質量也比較好,但在Android平臺上QtWebEngine模塊不能用,想要顯示網頁可以用QtWebView模塊,不支持列印成PDF。嘗試用QTextDocument和QPrinter將html轉為PDF,發現QTextDocument不支持CSS樣式,生成的PDF文檔排版是錯的。

 

查看QtWebView在Android平臺上的實現,可以發現其用的就是Android的WebView控制項實現的網頁顯示。嘗試在Android平臺上實現html生成PDF,找到了這篇文章https://www.jianshu.com/p/d82bd61b11a4,驗證後可行。需要依賴第三方庫DexMaker,可以用谷歌實現的 implementation 'com.google.dexmaker:dexmaker:1.2',庫文件名為dexmaker-1.2.jar。

 

修改QT源碼,在Android平臺上實現html轉PDF的功能

  • 修改$QtSrc/qtwebview/src/jar/src/org/qtproject/qt5/android/view/QtAndroidWebViewController.java文件
    /****************************************************************************
    **
    ** Copyright (C) 2015 The Qt Company Ltd.
    ** Contact: http://www.qt.io/licensing/
    **
    ** This file is part of the QtWebView module of the Qt Toolkit.
    **
    ** $QT_BEGIN_LICENSE:LGPL3$
    ** Commercial License Usage
    ** Licensees holding valid commercial Qt licenses may use this file in
    ** accordance with the commercial license agreement provided with the
    ** Software or, alternatively, in accordance with the terms contained in
    ** a written agreement between you and The Qt Company. For licensing terms
    ** and conditions see http://www.qt.io/terms-conditions. For further
    ** information use the contact form at http://www.qt.io/contact-us.
    **
    ** GNU Lesser General Public License Usage
    ** Alternatively, this file may be used under the terms of the GNU Lesser
    ** General Public License version 3 as published by the Free Software
    ** Foundation and appearing in the file LICENSE.LGPLv3 included in the
    ** packaging of this file. Please review the following information to
    ** ensure the GNU Lesser General Public License version 3 requirements
    ** will be met: https://www.gnu.org/licenses/lgpl.html.
    **
    ** GNU General Public License Usage
    ** Alternatively, this file may be used under the terms of the GNU
    ** General Public License version 2.0 or later as published by the Free
    ** Software Foundation and appearing in the file LICENSE.GPL included in
    ** the packaging of this file. Please review the following information to
    ** ensure the GNU General Public License version 2.0 requirements will be
    ** met: http://www.gnu.org/licenses/gpl-2.0.html.
    **
    ** $QT_END_LICENSE$
    **
    ****************************************************************************/
    
    package org.qtproject.qt5.android.view;
    
    import android.content.pm.PackageManager;
    import android.view.View;
    import android.webkit.GeolocationPermissions;
    import android.webkit.URLUtil;
    import android.webkit.ValueCallback;
    import android.annotation.SuppressLint;
    import android.content.Context;
    import android.os.Bundle;
    import android.os.CancellationSignal;
    import android.os.ParcelFileDescriptor;
    import android.print.PageRange;
    import android.print.PrintAttributes;
    import android.print.PrintDocumentAdapter;
    import android.webkit.WebView;
    import android.webkit.WebViewClient;
    import android.webkit.WebChromeClient;
    
    import java.lang.Runnable;
    
    import android.app.Activity;
    import android.content.Intent;
    import android.net.Uri;
    
    import java.lang.String;
    
    import android.webkit.WebSettings;
    import android.webkit.WebSettings.PluginState;
    import android.graphics.Bitmap;
    
    import java.util.concurrent.Semaphore;
    import java.io.File;
    import java.io.IOException;
    import java.lang.reflect.InvocationHandler;
    import java.lang.reflect.Method;
    
    import android.os.Build;
    
    import java.util.concurrent.TimeUnit;
    
    import com.google.dexmaker.stock.ProxyBuilder;
    
    public class QtAndroidWebViewController
    {
        private final Activity m_activity;
        private final long m_id;
        private boolean busy;
        private boolean m_hasLocationPermission;
        private WebView m_webView = null;
        private static final String TAG = "QtAndroidWebViewController";
        private final int INIT_STATE = 0;
        private final int STARTED_STATE = 1;
        private final int LOADING_STATE = 2;
        private final int FINISHED_STATE = 3;
    
        private volatile int m_loadingState = INIT_STATE;
        private volatile int m_progress = 0;
        private volatile int m_frameCount = 0;
    
        // API 11 methods
        private Method m_webViewOnResume = null;
        private Method m_webViewOnPause = null;
        private Method m_webSettingsSetDisplayZoomControls = null;
    
        // API 19 methods
        private Method m_webViewEvaluateJavascript = null;
    
        // Native callbacks
        private native void c_onPageFinished(long id, String url);
        private native void c_onPageStarted(long id, String url, Bitmap icon);
        private native void c_onProgressChanged(long id, int newProgress);
        private native void c_onReceivedIcon(long id, Bitmap icon);
        private native void c_onReceivedTitle(long id, String title);
        private native void c_onRunJavaScriptResult(long id, long callbackId, String result);
        private native void c_onReceivedError(long id, int errorCode, String description, String url);
        private native void c_onpdfPrintingFinished(long id, boolean succeed);
    
        // We need to block the UI thread in some cases, if it takes to long we should timeout before
        // ANR kicks in... Usually the hard limit is set to 10s and if exceed that then we're in trouble.
        // In general we should not let input events be delayed for more then 500ms (If we're spending more
        // then 200ms somethings off...).
        private final long BLOCKING_TIMEOUT = 250;
    
        private void resetLoadingState(final int state)
        {
            m_progress = 0;
            m_frameCount = 0;
            m_loadingState = state;
        }
    
        private class Html2Pdf {
            private File file;
            private File dexCacheFile;
            private PrintDocumentAdapter printAdapter;
            private PageRange[] ranges;
            private ParcelFileDescriptor descriptor;
        
            private void printToPdf(WebView webView, String fileName) {
                if (webView != null) {
                    file = new File(fileName);
                    dexCacheFile = webView.getContext().getDir("dex", 0);
                    if (!dexCacheFile.exists()) {
                        dexCacheFile.mkdir();
                    }
                    try {
                        if (file.exists()) {
                            file.delete();
                        }
                        file.createNewFile();
                        descriptor = ParcelFileDescriptor.open(file, ParcelFileDescriptor.MODE_READ_WRITE);
                        PrintAttributes attributes = new PrintAttributes.Builder()
                                .setMediaSize(PrintAttributes.MediaSize.ISO_A4)
                                .setResolution(new PrintAttributes.Resolution("id", Context.PRINT_SERVICE, 300, 300))
                                .setColorMode(PrintAttributes.COLOR_MODE_COLOR)
                                .setMinMargins(PrintAttributes.Margins.NO_MARGINS)
                                .build();
                        ranges = new PageRange[]{PageRange.ALL_PAGES};
        
                        printAdapter = webView.createPrintDocumentAdapter();
                        printAdapter.onStart();
                        printAdapter.onLayout(attributes, attributes, new CancellationSignal(), getLayoutResultCallback(new InvocationHandler() {
                            @Override
                            public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
                                if (method.getName().equals("onLayoutFinished")) {
                                    onLayoutSuccess();
                                } else {
                                    descriptor.close();
                                    c_onpdfPrintingFinished(m_id, false);
                                    busy = false;
                                }
                                return null;
                            }
                        }, dexCacheFile.getAbsoluteFile()), new Bundle());
                    } catch (IOException e) {
                        if (descriptor != null) {
                            try {
                                descriptor.close();
                            } catch (IOException ex) {
                                ex.printStackTrace();
                            }
                        }
                        c_onpdfPrintingFinished(m_id, false);
                        e.printStackTrace();
                        busy = false;
                    }
                }
            }
        
            private void onLayoutSuccess() throws IOException {
                PrintDocumentAdapter.WriteResultCallback callback = getWriteResultCallback(new InvocationHandler() {
                    @Override
                    public Object invoke(Object o, Method method, Object[] objects) throws Throwable {
                        if (method.getName().equals("onWriteFinished")) {
                            c_onpdfPrintingFinished(m_id, true);
                        } else {
                            c_onpdfPrintingFinished(m_id, false);
                        }
                        busy = false;
                        if (descriptor != null) {
                            try {
                                descriptor.close();
                            } catch (IOException ex) {
                                ex.printStackTrace();
                            }
                        }
                        return null;
                    }
                }, dexCacheFile.getAbsoluteFile());
                printAdapter.onWrite(ranges, descriptor, new CancellationSignal(), callback);
            }
        
            @SuppressLint("NewApi")
            private  PrintDocumentAdapter.LayoutResultCallback getLayoutResultCallback(InvocationHandler invocationHandler, File dexCacheDir) throws IOException {
                return ProxyBuilder.forClass(PrintDocumentAdapter.LayoutResultCallback.class)
                        .dexCache(dexCacheDir)
                        .handler(invocationHandler)
                        .build();
            }
        
            @SuppressLint("NewApi")
            private  PrintDocumentAdapter.WriteResultCallback getWriteResultCallback(InvocationHandler invocationHandler, File dexCacheDir) throws IOException {
                return ProxyBuilder.forClass(PrintDocumentAdapter.WriteResultCallback.class)
                        .dexCache(dexCacheDir)
                        .handler(invocationHandler)
                        .build();
            }    
        }
    
        private class QtAndroidWebViewClient extends WebViewClient
        {
            QtAndroidWebViewClient() { super(); }
    
            @Override
            public boolean shouldOverrideUrlLoading(WebView view, String url)
            {
                // handle http: and http:, etc., as usual
                if (URLUtil.isValidUrl(url))
                    return false;
    
                // try to handle geo:, tel:, mailto: and other schemes
                try {
                    Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(url));
                    view.getContext().startActivity(intent);
                    return true;
                } catch (Exception e) {
                    e.printStackTrace();
                }
    
                return false;
            }
    
            @Override
            public void onLoadResource(WebView view, String url)
            {
                super.onLoadResource(view, url);
            }
    
            @Override
            public void onPageFinished(WebView view, String url)
            {
                super.onPageFinished(view, url);
                m_loadingState = FINISHED_STATE;
                if (m_progress != 100) // onProgressChanged() will notify Qt if we didn't finish here.
                    return;
    
                 m_frameCount = 0;
                 c_onPageFinished(m_id, url);
            }
    
            @Override
            public void onPageStarted(WebView view, String url, Bitmap favicon)
            {
                super.onPageStarted(view, url, favicon);
                if (++m_frameCount == 1) { // Only call onPageStarted for the first frame.
                    m_loadingState = LOADING_STATE;
                    c_onPageStarted(m_id, url, favicon);
                }
            }
    
            @Override
            public void onReceivedError(WebView view,
                                        int errorCode,
                                        String description,
                                        String url)
            {
                super.onReceivedError(view, errorCode, description, url);
                resetLoadingState(INIT_STATE);
                c_onReceivedError(m_id, errorCode, description, url);
            }
        }
    
        private class QtAndroidWebChromeClient extends WebChromeClient
        {
            QtAndroidWebChromeClient() { super(); }
            @Override
            public void onProgressChanged(WebView view, int newProgress)
            {
                super.onProgressChanged(view, newProgress);
                m_progress = newProgress;
                c_onProgressChanged(m_id, newProgress);
                if (m_loadingState == FINISHED_STATE && m_progress == 100) { // Did we finish?
                    m_frameCount = 0;
                    c_onPageFinished(m_id, view.getUrl());
                }
            }
    
            @Override
            public void onReceivedIcon(WebView view, Bitmap icon)
            {
                super.onReceivedIcon(view, icon);
                c_onReceivedIcon(m_id, icon);
            }
    
            @Override
            public void onReceivedTitle(WebView view, String title)
            {
                super.onReceivedTitle(view, title);
                c_onReceivedTitle(m_id, title);
            }
    
            @Override
            public void onGeolocationPermissionsShowPrompt(String origin, GeolocationPermissions.Callback callback)
            {
                callback.invoke(origin, m_hasLocationPermission, false);
            }
        }
    
        public QtAndroidWebViewController(final Activity activity, final long id)
        {
            m_activity = activity;
            m_id = id;
            final Semaphore sem = new Semaphore(0);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() {
                    m_webView = new WebView(m_activity);
                    m_hasLocationPermission = hasLocationPermission(m_webView);
                    WebSettings webSettings = m_webView.getSettings();
    
                    if (Build.VERSION.SDK_INT > 10) {
                        try {
                            m_webViewOnResume = m_webView.getClass().getMethod("onResume");
                            m_webViewOnPause = m_webView.getClass().getMethod("onPause");
                            m_webSettingsSetDisplayZoomControls = webSettings.getClass().getMethod("setDisplayZoomControls", boolean.class);
                            if (Build.VERSION.SDK_INT > 18) {
                                m_webViewEvaluateJavascript = m_webView.getClass().getMethod("evaluateJavascript",
                                                                                             String.class,
                                                                                             ValueCallback.class);
                            }
                        } catch (Exception e) { /* Do nothing */ e.printStackTrace(); }
                    }
    
                    //allowing access to location without actual ACCESS_FINE_LOCATION may throw security exception
                    webSettings.setGeolocationEnabled(m_hasLocationPermission);
    
                    webSettings.setJavaScriptEnabled(true);
                    if (m_webSettingsSetDisplayZoomControls != null) {
                        try { m_webSettingsSetDisplayZoomControls.invoke(webSettings, false); } catch (Exception e) { e.printStackTrace(); }
                    }
                    webSettings.setBuiltInZoomControls(true);
                    webSettings.setPluginState(PluginState.ON);
                    m_webView.setWebViewClient((WebViewClient)new QtAndroidWebViewClient());
                    m_webView.setWebChromeClient((WebChromeClient)new QtAndroidWebChromeClient());
                    sem.release();
                }
            });
    
            try {
                sem.acquire();
            } catch (Exception e) {
                e.printStackTrace();
            }
        }
    
        public void loadUrl(final String url)
        {
            if (url == null) {
                return;
            }
    
            resetLoadingState(STARTED_STATE);
            c_onPageStarted(m_id, url, null);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.loadUrl(url); }
            });
        }
    
        public void loadData(final String data, final String mimeType, final String encoding)
        {
            if (data == null)
                return;
    
            resetLoadingState(STARTED_STATE);
            c_onPageStarted(m_id, null, null);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.loadData(data, mimeType, encoding); }
            });
        }
    
        public void loadDataWithBaseURL(final String baseUrl,
                                        final String data,
                                        final String mimeType,
                                        final String encoding,
                                        final String historyUrl)
        {
            if (data == null)
                return;
    
            resetLoadingState(STARTED_STATE);
            c_onPageStarted(m_id, null, null);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.loadDataWithBaseURL(baseUrl, data, mimeType, encoding, historyUrl); }
            });
        }
    
        public void goBack()
        {
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.goBack(); }
            });
        }
    
        public boolean canGoBack()
        {
            final boolean[] back = {false};
            final Semaphore sem = new Semaphore(0);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { back[0] = m_webView.canGoBack(); sem.release(); }
            });
    
            try {
                sem.tryAcquire(BLOCKING_TIMEOUT, TimeUnit.MILLISECONDS);
            } catch (Exception e) {
                e.printStackTrace();
            }
    
            return back[0];
        }
    
        public void goForward()
        {
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.goForward(); }
            });
        }
    
        public boolean canGoForward()
        {
            final boolean[] forward = {false};
            final Semaphore sem = new Semaphore(0);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { forward[0] = m_webView.canGoForward(); sem.release(); }
            });
    
            try {
                sem.tryAcquire(BLOCKING_TIMEOUT, TimeUnit.MILLISECONDS);
            } catch (Exception e) {
                e.printStackTrace();
            }
    
            return forward[0];
        }
    
        public void stopLoading()
        {
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.stopLoading(); }
            });
        }
    
        public void reload()
        {
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { m_webView.reload(); }
            });
        }
    
        public String getTitle()
        {
            final String[] title = {""};
            final Semaphore sem = new Semaphore(0);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { title[0] = m_webView.getTitle(); sem.release(); }
            });
    
            try {
                sem.tryAcquire(BLOCKING_TIMEOUT, TimeUnit.MILLISECONDS);
            } catch (Exception e) {
                e.printStackTrace();
            }
    
            return title[0];
        }
    
        public int getProgress()
        {
            return m_progress;
        }
    
        public boolean isLoading()
        {
            return m_loadingState == LOADING_STATE || m_loadingState == STARTED_STATE || (m_progress > 0 && m_progress < 100);
        }
    
        public void runJavaScript(final String script, final long callbackId)
        {
            if (script == null)
                return;
    
            if (Build.VERSION.SDK_INT < 19 || m_webViewEvaluateJavascript == null)
                return;
    
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() {
                    try {
                        m_webViewEvaluateJavascript.invoke(m_webView, script, callbackId == -1 ? null :
                            new ValueCallback<String>() {
                                @Override
                                public void onReceiveValue(String result) {
                                    c_onRunJavaScriptResult(m_id, callbackId, result);
                                }
                            });
                    } catch (Exception e) {
                        e.printStackTrace();
                    }
                }
            });
        }
    
        public String getUrl()
        {
            final String[] url = {""};
            final Semaphore sem = new Semaphore(0);
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { url[0] = m_webView.getUrl(); sem.release(); }
            });
    
            try {
                sem.tryAcquire(BLOCKING_TIMEOUT, TimeUnit.MILLISECONDS);
            } catch (Exception e) {
                e.printStackTrace();
            }
    
            return url[0];
        }
    
        public WebView getWebView()
        {
           return m_webView;
        }
    
        public void onPause()
        {
            if (m_webViewOnPause == null)
                return;
    
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { try { m_webViewOnPause.invoke(m_webView); } catch (Exception e) { e.printStackTrace(); } }
            });
        }
    
        public void onResume()
        {
            if (m_webViewOnResume == null)
                return;
    
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() { try { m_webViewOnResume.invoke(m_webView); } catch (Exception e) { e.printStackTrace(); } }
            });
        }
    
        private static boolean hasLocationPermission(View view)
        {
            final String name = view.getContext().getPackageName();
            final PackageManager pm = view.getContext().getPackageManager();
            return pm.checkPermission("android.permission.ACCESS_FINE_LOCATION", name) == PackageManager.PERMISSION_GRANTED;
        }
    
        public void destroy()
        {
            m_activity.runOnUiThread(new Runnable() {
                @Override
                public void run() {
                    m_webView.destroy();
                }
            });
        }
    
        public void printToPdf(final String fileName){
            if(!busy){
                busy = true;
                m_activity.runOnUiThread(new Runnable() {
                    @Override
                    public void run() { 
                        Html2Pdf html2Pdf = new Html2Pdf();
                        html2Pdf.printToPdf(m_webView, fileName);
                    }
                });
            }else{
                c_onpdfPrintingFinished(m_id,false); 
            }
        }
    
    }

     

 

  1. 主要修改:
    1. 增加了 void printToPdf(final String fileName)列印介面
    2. 增加了 native void c_onpdfPrintingFinished(long id, boolean succeed)作為列印完成的回調
    3. 增加了內部類Html2Pdf實現列印成PDF
  • 修改$QtSrc/qtwebview/src/plugins/android/qandroidwebview_p.h
  1. 增加槽函數 void printToPdf(const QString &fileName) Q_DECL_OVERRIDE;
  • 修改$QtSrc/qtwebview/src/plugins/android/qandroidwebview.cpp
  1. 實現槽函數
    void QAndroidWebViewPrivate::printToPdf(const QString &fileName)
    {
        const QJNIObjectPrivate &fileNameString = QJNIObjectPrivate::fromString(fileName);
        m_viewController.callMethod<void>("printToPdf","(Ljava/lang/String;)V",fileNameString.object());
    }
  2. 實現java代碼中列印完成的回調
    static void c_onpdfPrintingFinished(JNIEnv *env,
                                  jobject thiz,
                                  jlong id,
                                  jboolean succeed)
    {
        Q_UNUSED(env)
        Q_UNUSED(thiz)
        const WebViews &wv = (*g_webViews);
        QAndroidWebViewPrivate *wc = wv[id];
        if (!wc)
            return;
        Q_EMIT wc->pdfPrintingFinished(succeed);
    }
  3. 修改JNIEXPORT jint JNI_OnLoad(JavaVM* vm, void* /*reserved*/),註冊c_onpdfPrintingFinished回調函數。
    JNINativeMethod methods[]數組裡增加一項
    {"c_onpdfPrintingFinished","(JZ)V",reinterpret_cast<void *>(c_onpdfPrintingFinished)}

 

  • 修改$QtSrc/qtwebview/src/webview/qabstractwebview_p.h(以下增加的所有的C++代碼、函數、信號等都用#if ANDROID巨集條件編譯)
  1. 增加信號void pdfPrintingFinished(bool succeed);
  • 修改$QtSrc/qtwebview/src/webview/qquickwebview_p.h
  1. 增加公開槽函數 void printToPdf(const QString &fileName) Q_DECL_OVERRIDE;
  2. 增加信號 void pdfPrintingFinished(bool succeed);
  3. 增加私有槽函數 void onPdfPrintingFinished(bool succeed);
  • 修改$QtSrc/qtwebview/src/webview/qquickwebview.cpp
  1. 構造函數里關聯槽函數和信號
    #if ANDROID
    connect(m_webView, &QWebView::pdfPrintingFinished, this, &QQuickWebView::onPdfPrintingFinished);
    #endif
  2. 實現槽函數printToPdf
    #if ANDROID
    void QQuickWebView::printToPdf(const QString &fileName)
    {
        m_webView->printToPdf(fileName);
    }
    #endif
  3. 實現槽函數onPdfPrintingFinished
    #if ANDROID
    void QQuickWebView::onPdfPrintingFinished(bool succeed)
    {
        Q_EMIT pdfPrintingFinished(succeed);
    }
    #endif
  • 修改$QtSrc/qtwebview/src/webview/qwebviewinterface_p.h
  1. 增加純虛函數 virtual void printToPdf(const QString &fileName) = 0;
  • 修改$QtSrc/qtwebview/src/webview/qwebviewfactory.cpp
  1. QNullWebView類增加
    void printToPdf(const QString &fileName) override
        {Q_UNUSED(fileName); }
  • 修改$QtSrc/qtwebview/src/webview/qwebview_p.h
  1. 增加公開槽函數 void printToPdf(const QString &fileName) Q_DECL_OVERRIDE;
  2. 增加信號 void pdfPrintingFinished(bool succeed);
  3. 增加私有槽函數 void onPdfPrintingFinished(bool succeed);
  • 修改$QtSrc/qtwebview/src/webview/qwebview.cpp
  1. 構造函數里關聯槽函數和信號
    #if ANDROID
    connect(d, &QAbstractWebView::pdfPrintingFinished, this, &QWebView::onPdfPrintingFinished);
    #endif
  2. 實現槽函數printToPdf
    #if ANDROID
    void QWebView::printToPdf(const QString &fileName)
    {
        d->printToPdf(fileName);
    }
    #endif
  3. 實現槽函數onPdfPrintingFinished
    #if ANDROID
    void QWebView::onPdfPrintingFinished(bool succeed)
    {
        Q_EMIT pdfPrintingFinished(succeed);
    }
    #endif
  • 在$QtSrc/qtwebview/src/jar目錄下新建lib目錄,將dexmaker-1.2.jar文件拷貝到該目錄下
  • 修改$QtSrc/qtwebview/src/jar/jar.pro
    TARGET = QtAndroidWebView

    load(qt_build_paths)
    CONFIG += java
    DESTDIR = $$MODULE_BASE_OUTDIR/jar

    JAVACLASSPATH += $$PWD/src \
        $$PWD/lib/dexmaker-1.2.jar

    JAVASOURCES += $$PWD/src/org/qtproject/qt5/android/view/QtAndroidWebViewController.java

    # install
    thridpartyjar.files = \
        $$PWD/lib/dexmaker-1.2.jar
    thridpartyjar.path = $$[QT_INSTALL_PREFIX]/jar

    target.path = $$[QT_INSTALL_PREFIX]/jar
    INSTALLS += target thridpartyjar
  • 修改$QtSrc/qtwebview/src/webview/webview.pro
    ……
    
    QMAKE_DOCS = \
                 $$PWD/doc/qtwebview.qdocconf

    ANDROID_BUNDLED_JAR_DEPENDENCIES = \
        jar/QtAndroidWebView.jar \
        jar/dexmaker-1.2.jar
    ANDROID_PERMISSIONS = \
        android.permission.ACCESS_FINE_LOCATION
    ANDROID_LIB_DEPENDENCIES = \
        plugins/webview/libqtwebview_android.so

    HEADERS += $$PUBLIC_HEADERS $$PRIVATE_HEADERS

    load(qt_module)
  • 修改$QtSrc/qtwebview/src/imports/plugins.qmltypes
  1. 增加信號
    Signal {
                name: "pdfPrintingFinished"
                revision: 1
                Parameter { name: "succeed"; type: "bool" }
            }
  2. 增加方法
    Method {
                name: "printToPdf"
                revision: 1
                Parameter { name: "fileName"; type: "string" }
            }
  • 配置和編譯

  1. ./configure -extprefix $QTInstall/android_arm64_v8a -xplatform android-clang -release -nomake tests -nomake examples -opensource -confirm-license -recheck-all -android-ndk $NDKPATH -android-sdk $AndroidSDKPATH -android-ndk-host linux-x86_64 -android-arch arm64-v8a
    -android-arch支持armeabi, armeabi-v7a, arm64-v8a, x86, x86_64,一次只能編譯一個架構,註意不同架構要修改安裝目錄
  2. make -j8
  3. make install
  • 上述軟體版本
  1. QT:5.13.2
  2. NDK:r20b(20.1.5948944)
  3. Android-buildToolsVersion:29.0.2
  • 使用示例
    import QtQuick 2.12
    import QtQuick.Window 2.12
    import QtWebView 1.1
    import QtQuick.Controls 2.12
    
    Window {
        id: window
        visible: true
        width: 1080
        height: 1920
        title: qsTr("Hello World")
        WebView{
            id:webView
            anchors.bottom: printBtn.top
            anchors.right: parent.right
            anchors.left: parent.left
            anchors.top: parent.top
            anchors.bottomMargin: 0
            url:"http://www.qq.com"
            onPdfPrintingFinished: {
                printBtn.text = "列印" + (succeed?"成功":"失敗")
                printBtn.enabled = true
            }
        }
    
        Button {
            id:printBtn
            text: "列印"
            anchors.bottom: parent.bottom
            anchors.bottomMargin: 0
            onClicked: {
                printBtn.enabled = false
                webView.printToPdf("/sdcard/aaa.pdf")
            }
        }
    }

全部修改見https://github.com/ALittleDruid/qtwebview/commit/722a4757dd0acf86846194607a433cd724e9b028

下期預告:在Android平臺上實現串口讀寫的功能


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 一 Pod的擴容和縮容 Kubernetes對Pod的擴縮容操作提供了手動和自動兩種模式,手動模式通過執行kubectl scale命令或通過RESTful API對一個Deployment/RC進行Pod副本數量的設置。自動模式則需要用戶根據某個性能指標或者自定義業務指標,並指定Pod副本數量的範 ...
  • 由於PHP5.3 的改進,原有的IIS 通過isapi 方式解析PHP腳本已經不被支持,PHP從5.3.0 以後的版本開始使用微軟的 fastcgi 模式,這是一個更先進的方式,運行速度更快,更穩定。本文介紹在IIS上以FastCGI模式運行PHP。我們以 Windows 2003 + IIS 6. ...
  • 本文主要是介紹在centos上搭建mysql的主從伺服器。如果沒有搭建過的,可以查看我以前的博客,裡面有詳細的安裝centos和在centos上安裝mysql的說明。 一.安裝從虛擬機: 1.右鍵—>管理—>克隆 2.選擇完整克隆 3.修改虛擬機的位置,預設在C盤下。 4.當克隆完成後,就有這樣兩台 ...
  • SQL註入基本原理 WEB技術發展日新月異,但是徒手拼SQL的傳統手藝還是受相當多的開發者親睞。畢竟相比於再去學習一套複雜的 "ORM" 規則,手拼更說方便,直觀。通常自己拼SQL的人,應該是有聽說過 SQL註入 很危險,但是總是心想:我的SQL語句這麼簡單,不可能被註入的。 花5分鐘看完這個完整的 ...
  • 參考《PostgreSQL實戰》 3.1.2 數字類型操作符和數學函數 PostgreSQL 支持數字類型操作符和豐富的數學函數 例如支持 加、減、乘、除、模取取餘 操作符 SELECT 1+2, 2 3, 4/2, 8%3; 按模取餘 SELECT mod(8,3); 結果:2 四捨五入 函數: ...
  • 1. 資料庫操作 看完前面的文章,大家應該把環境搭建好了,下麵我們就開始學習MongoDB的一些基本操作了。 首先我們要瞭解的一些要點: MongoDB將數據存儲為一個文檔,數據結構由鍵值對(key=>value)組成 MongoDB文檔類似於JSON對象,欄位值可以包含其他文檔、數組、文檔數組 其 ...
  • 1. 在Windows環境安裝 1.1 MongoDB下載 要在Windows上安裝MongoDB,首先打開MongoDB官網:https://www.mongodb.com/download-center 下載最新版本的MongoDB。確保根據您的Windows版本獲得正確版本的MongoDB。要 ...
  • 1. NoSQL簡介 1.1 什麼是NoSQL NoSQL(NoSQL= Not Only SQL),意即“不僅僅是SQL",是一項全新的資料庫理念,泛指非關係型的資料庫。 1.2 為什麼需要NoSQL 隨著互聯網web2.0網站的興起,非關係型的資料庫現在成了一個極其熱門的新領域,非關係資料庫產品 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...