最近有如此需求,需要在页面点击某个按钮后,将该页面部分内容保存为pdf文件,并下载。
经过一番查找,并没有找到特别理想的方案。最终使用html2canvas和jspdf组合。
思路很简单,就是先用html2canvas将指定容器的html绘制成canvas,然后用jspdf将canvas生成图片,并且塞进pdf文件。
下面说下使用方法。
安装插件
npm i html2canvas jspdf --save
编写代码
为了个页面使用方便,我们封装一个html2pdf函数,放在util.js中
export function html2pdf(id,title,failCallback) {
return new Promise((resolve,reject)=>{
html2Canvas(document.querySelector(id), {
allowTaint: true
}).then(function (canvas) {
let contentWidth = canvas.width
let contentHeight = canvas.height
let pageHeight = contentWidth / 592.28 * 841.89
let leftHeight = contentHeight
let position = 0
let imgWidth = 595.28
let imgHeight = 592.28 / contentWidth * contentHeight
let pageData = canvas.toDataURL('image/jpeg', 1.0)
let PDF = new JsPDF('', 'pt', 'a4')
if (leftHeight < pageHeight) {
PDF.addImage(pageData, 'JPEG', 0, 0, imgWidth, imgHeight)
} else {
while (leftHeight > 0) {
PDF.addImage(pageData, 'JPEG', 0, position, imgWidth, imgHeight)
leftHeight -= pageHeight
position -= 841.89
if (leftHeight > 0) {
PDF.addPage()
}
}
}
PDF.save(title + '.pdf')
console.log('success')
resolve(true)
}).catch(err=>{
failCallback instanceof Function && failCallback()
console.error(err)
reject(err)
})
})
}
函数返回Promise,如果想在使用时使用await,又想在出错后干点啥,那可以像我这样加个回调函数failCallback ,当然,直接使用.then.catch也不错。
使用
使用 就很简单了,在想用的地方引入函数,传入对应的参数就好。其中id就是Html标签的原生属性id。如果直接使用当前页面布局的内容生成pdf后不太理想,比如边距过窄,显示不完全等。而直接修改页面布局显然不妥,这时候可以给内容创建一个新的容器,然后将要打印的html内容克隆一份,塞到新容器里面,然后将新容器生成pdf。
克隆需要使用深拷贝,这是深拷贝函数
// 深拷贝对象
export function deepClone(obj) {
const _toString = Object.prototype.toString
// null, undefined, non-object, function
if (!obj || typeof obj !== 'object') {
return obj
}
// DOM Node
if (obj.nodeType && 'cloneNode' in obj) {
return obj.cloneNode(true)
}
// Date
if (_toString.call(obj) === '[object Date]') {
return new Date(obj.getTime())
}
// RegExp
if (_toString.call(obj) === '[object RegExp]') {
const flags = []
if (obj.global) { flags.push('g') }
if (obj.multiline) { flags.push('m') }
if (obj.ignoreCase) { flags.push('i') }
return new RegExp(obj.source, flags.join(''))
}
const result = Array.isArray(obj) ? [] : obj.constructor ? new obj.constructor() : {}
for (const key in obj) {
result[key] = deepClone(obj[key])
}
return result
}
使用示例:
async downloadPdf(){
let testDom=deepClone(document.getElementById('testDom'))
let newContainer=document.getElementById('newContainer')
newContainer.appendChild(testDom)
await html2pdf('#newContainer',`测试标题`,()=>{
//失败
newContainer.innerHtml=null
})
newContainer.innerHtml=null
},