【技巧】ionic后FileTransfer时代的文件传输

FileTransfer是常用的Codrodva插件之一,在过去的几篇文章中都能看到它的身影:

Cordova插件使用——Office文档在线预览那些事
【技巧】ionic3视频上传
【技巧】Ionic3多文件上传

然而,在其Github主页 ,说它其实过期了,而应该用XMLHttpRequest来代替:

Deprecated

With the new features introduced in XMLHttpRequest, this plugin is not needed any more. Migrating from this plugin to using the new features of XMLHttpRequest, is explained in this Cordova blog post.

那什么是XMLHttpRequest?它简称XHR,中文可以解释为可扩展超文本传输请求,具体概念自行找度娘。有人可能对它没概念,但是基于它封装的库,如HttpClient、Fetch、ajax等都是较为熟悉的吧?
那我们怎么用这个XHR呢?以一个在线更新apk来做个例子:

1. 把xhr的基本方法都列出来看一下

    const xhr = new XMLHttpRequest();
    const url =  'http://192.168.96.64:8089/temp.apk';
    xhr.open("GET",url);
    xhr.setRequestHeader("Content-Type","application/x-www-form-urlencoded");
    xhr.responseType = "blob";
    xhr.addEventListener("loadstart", (ev) => {
        // 开始下载事件:下载进度条的显示
    });
    xhr.addEventListener("progress", (ev) => {
        // 下载中事件:计算下载进度
        let progress = "进度:" + Math.round(100.0 * ev.loaded/ev.total) + "%";
        console.log(progress);
    });
    xhr.addEventListener("load", (ev) => {
        // 下载完成事件:处理下载文件
        var blob = xhr.response; 
        console.log(blob);
    });
    xhr.addEventListener("loadend", (ev) => {
      // 结束下载事件:下载进度条的关闭
    });
    xhr.addEventListener("error", (ev) => {
      console.log(ev);
    });
    xhr.addEventListener("abort", (ev) => {
    });
    xhr.send();

只是把可能用到的功能都列出来,但实际应用到的事件就几个,我们运行一下项目可以看到chrome中打印出来的log:


【技巧】ionic后FileTransfer时代的文件传输_第1张图片
image.png

2. 尝试把Blob数据保存到手机上

借助file插件用于保存文件:

ionic cordova plugin add cordova-plugin-file
npm install --save @ionic-native/file

借助file-opener插件用于打开文件:

ionic cordova plugin add cordova-plugin-file-opener2
npm install --save @ionic-native/file-opener

上面两个插件记得在模块导入并在页面构造函数注入:

import { File } from '@ionic-native/file';
import { FileOpener } from '@ionic-native/file-opener';
……
constructor(private file: File, private fileOpener: FileOpener) {
}

然后修改上述xhr中load事件的代码:

    xhr.addEventListener("load", (ev) => {
        // 下载完成事件:处理下载文件
        const blob = xhr.response; 
        const fileName = 'temp.apk';
        console.log(blob);
        if(blob){
          let path = this.file.externalDataDirectory;
          this.file.writeFile(path, fileName, blob, {
            replace: true
          }).then(()=>{
            // window.cordova.plugins.FileOpener.openFile(path + 'temp.apk', ()=>alert('success'), (err)=>console.log(err));
            this.fileOpener.open(
              path + fileName, 
              'application/vnd.android.package-archive'
            );
          }).catch(err=>{
            console.log(err);
          })
        }
    });

在真机上运行测试看效果:

ionic cordova run android --device

可以发现能正常保存并安装apk,动态图就不发了,自行尝试。

此时可以进一步优化细节,也可以尝试用httpClient来替换实现。

你可能感兴趣的:(【技巧】ionic后FileTransfer时代的文件传输)