最近的项目中有一个展示PDF的需求 很懵 老规矩 度娘 谷歌一波 功夫不负有心人 找到了一个比较全面的博主写的文章 android 在线预览pdf文件(目前最全)
使用PDF.js+webView
方法确实是实现了功能 但是出现了新的问题 当pdf页数太多的时候会很卡(我找了一个143页的pdf 滑动了几下就闪退了) 没有办法 又参考了文中的方法1
andorid原生自带的pdf管理库
来实现功能
大体记录一下
实现思路 先通过网络请求把pdf下载到手机里 再通过PdfRenderer
把pdf转换成bitmap
最后通过RecyclerView
来展示 在滑动的时候很顺畅 只是在下载pdf的时候会有些慢 (那也比闪退强!!!)
首先PdfRenderer
必须是API>=21(也就是安卓5.0以上)才能使用 现在的项目谷歌建议最低API就是21 所以这个在几年前看起来比较鸡肋的功能现在应该不会再被API所限制
布局很简单
<?xml version="1.0" encoding="utf-8"?>
<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent">
<androidx.recyclerview.widget.RecyclerView
android:id="@+id/rv_handout"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:overScrollMode="never" />
<ImageView
android:visibility="gone"
android:id="@+id/iv_default"
android:layout_width="match_parent"
android:layout_height="match_parent" />
</FrameLayout>
RecyclerView
用来展示数据 ImageView
是没有数据时的缺省图
网络请求使用的Okhttp3
val outFilePath = mContext.externalCacheDir?.absolutePath + "/" + handOutUrl.split("/").last()
val request = Request.Builder().url(PreferHelper.getResources() + handOutUrl).build()
OkHttpClient().newCall(request).enqueue(object : Callback {
override fun onFailure(call: Call, e: IOException) {
LogUtils.e("下载失败")
}
override fun onResponse(call: Call, response: okhttp3.Response) {
//下载功能
val inputStream: InputStream = response.body!!.byteStream()
val outputStream = FileOutputStream(File(outFilePath))
val by = ByteArray(2048)
var len = 0
while (inputStream.read(by).also({ len = it }) != -1) {
outputStream.write(by, 0, len)
}
outputStream.flush()
mView.showUploadHandOut(outFilePath)
}
})
outFilePath
是文件保存的地址 handOutUrl
是pdf的下载地址
override fun showUploadHandOut(uri: String) {
mHandOutList.clear()
val file = File(uri)
activity!!.runOnUiThread {
parcelFileDescriptor =
ParcelFileDescriptor.open(file, ParcelFileDescriptor.MODE_READ_ONLY)
pdfRenderer = PdfRenderer(parcelFileDescriptor)
for (i in 0 until pdfRenderer.pageCount) {
mHandOutList.add(renderPage(pdfRenderer.openPage(i)))
}
hideLoading()
mHandoutAdapter.notifyDataSetChanged()
}
}
因为主线程不能进行UI操作 所以需要开启一个单独的UI线程来更新
private fun renderPage(page: PdfRenderer.Page): Bitmap {
val bitmap = Bitmap.createBitmap(page.width, page.height, Bitmap.Config.ARGB_8888)
page.render(bitmap, null, null, PdfRenderer.Page.RENDER_MODE_FOR_DISPLAY)
page.close()
return bitmap
}
这里就是把pdf
转换成ImageView
的方法
最后要记得在onDestory
处调用
pdfRenderer.close()
parcelFileDescriptor.close()
这两个方法
网友评论