获取PDFKit作为base64字符串



我正在寻找一种方法来获得PDFKit文档的base64字符串表示。我找不到做这件事的正确方法。

这样做会非常方便。

var doc = new PDFDocument();
doc.addPage();
doc.outputBase64(function (err, pdfAsText) {
    console.log('Base64 PDF representation', pdfAsText);
});

我已经尝试了blob-stream lib,但它不能在节点服务器上工作(它说Blob不存在)。

谢谢你的帮助!

我也遇到过类似的困境,想要动态生成PDF,而不需要临时文件。我的上下文是一个NodeJS API层(使用Express),它通过React前端与之交互。

具有讽刺意味的是,对Meteor的类似讨论帮助我达到了我需要的地方。基于此,我的解决方案类似于:

const PDFDocument = require('pdfkit');
const { Base64Encode } = require('base64-stream');
// ...
var doc = new PDFDocument();
// write to PDF
var finalString = ''; // contains the base64 string
var stream = doc.pipe(new Base64Encode());
doc.end(); // will trigger the stream to end
stream.on('data', function(chunk) {
    finalString += chunk;
});
stream.on('end', function() {
    // the stream is at its end, so push the resulting base64 string to the response
    res.json(finalString);
});

文档中没有同步选项

const doc = new PDFDocument();
doc.text("Sample text", 100, 100);
doc.end();
const data = doc.read();
console.log(data.toString("base64"));

我刚刚做了一个你可能会用到的模块。js-base64-file

const Base64File=require('js-base64-file');
const b64PDF=new Base64File;
const file='yourPDF.pdf';
const path=`${__dirname}/path/to/pdf/`;
const doc = new PDFDocument();
doc.addPage();
//save you PDF using the filename and path
//this will load and convert
const data=b64PDF.loadSync(path,file);
console.log('Base64 PDF representation', pdfAsText);
//you could also save a copy as base 64 if you wanted like so :
b64PDF.save(data,path,`copy-b64-${file}`);

这是一个新的模块,所以我的文档还不完整,但也有一个async方法。

//this will load and convert if needed asynchriouniously
b64PDF.load(
    path,
    file,
    function(err,base64){
        if(err){
            //handle error here
            process.exit(1);
        }
        console.log('ASYNC: you could send this PDF via ws or http to the browser nown');
        //or as above save it here
        b64PDF.save(base64,path,`copy-async-${file}`);
    }
);

我想我也可以添加一个从内存转换的方法。如果这不能满足您的需求,您可以在base64文件repo上提交请求

根据Grant的回答,这里有一个不使用节点响应的替代方案,而是一个承诺(以减轻路由器外的呼叫):

const PDFDocument = require('pdfkit');
const {Base64Encode} = require('base64-stream');
const toBase64 = doc => {
    return new Promise((resolve, reject) => {
        try {
            const stream = doc.pipe(new Base64Encode());
            let base64Value = '';
            stream.on('data', chunk => {
                base64Value += chunk;
            });
            
            stream.on('end', () => {
                resolve(base64Value);
            });
        } catch (e) {
            reject(e);
        }
    });
};

被调用方应在调用此异步方法之前或之后使用doc.end()

相关内容

  • 没有找到相关文章

最新更新