解码使用imap nodejs检索到的base64图像电子邮件附件

问题描述 投票:1回答:1

我正在尝试使用Node.js imap检索电子邮件附件图像,该图像可在此处找到:https://github.com/mscdex/node-imap

检索图像后,我想将其保存到文件中,然后将名称保存在MySQL数据库中,这样我就可以使用EJS在前端检索它。

我已经检索了电子邮件附件图像,并尝试对其进行解码然后保存。不幸的是,当从文件夹中打开时,它显示:“看来我们不支持此文件格式”。

[进一步调查,如果我使用此在线工具将其转换为base64字符串:https://www.motobit.com/util/base64-decoder-encoder.asp,然后转到将base64转换为图像的转换器(https://codebeautify.org/base64-to-image-converter),它可以很好地显示图像。

我怀疑我的代码实际上是在文件大小从250kb增加到332kb时将图像转换为base64。

我不确定如何继续将照片正确解码以查看为原始.jpeg图像。

var fs = require('fs'), fileStream;
var {Base64Encode} = require('base64-stream');

const Imap = require('imap'),
    inspect = require('util').inspect;

var imap = new Imap({
    user: '[email protected]',
    password: 'gmailaccount',
    host: 'imap.gmail.com',
    port: 993,
    tls: true
    });

/* To Uppercase function */
function toUpper(thing) { return thing && thing.toUpperCase ? thing.toUpperCase() : thing;}

/* function to find attachments in imap email */
function findAttachmentParts(struct, attachments) {
    attachments = attachments ||  [];
    for (var i = 0, len = struct.length, r; i < len; ++i) {
        if (Array.isArray(struct[i])) {
            findAttachmentParts(struct[i], attachments);
        } 
        else {
            if (struct[i].disposition && ['INLINE', 'ATTACHMENT'].indexOf(struct[i].disposition.type) > -1) {
                attachments.push(struct[i]);
            }
        }
    }
    return attachments;
}

function buildAttMessageFunction(attachment) {
    var filename = attachment.params.name;
    var encoding = attachment.encoding;

    return function (msg, seqno) {
      var prefix = '(#' + seqno + ') ';
      msg.on('body', function(stream, info) {
        //Create a write stream so that we can stream the attachment to file;
        console.log(prefix + 'Streaming this attachment to file', filename, info);
        var writeStream = fs.createWriteStream(filename);
        writeStream.on('finish', function() {
          console.log(prefix + 'Done writing to file %s', filename);
        });

        //stream.pipe(writeStream); this would write base64 data to the file.
        //so we decode during streaming using 
        if (toUpper(encoding) === 'BASE64') {
          //the stream is base64 encoded, so here the stream is decode on the fly and piped to the write stream (file)
          stream.pipe(new Base64Encode()).pipe(writeStream);
        } else  {
          //here we have none or some other decoding streamed directly to the file which renders it useless probably
          stream.pipe(writeStream);
        }
      });
      msg.once('end', function() {
        console.log(prefix + 'Finished attachment %s', filename);
      });
    };
}

function openInbox(cb){
    imap.openBox('INBOX', true, cb);
}

/* Take all unseen emails, output to console and save them to a text file */
imap.once('ready', function(){
    openInbox(function(err, box){
        if (err) throw err;
        imap.search([ 'UNSEEN' ], function(err, results) {
          var messages = [];
          if (err) throw err;
          var f = imap.fetch(results, { id: 1, bodies: ['HEADER.FIELDS (FROM TO SUBJECT DATE)', '1.1'], struct: true });

          f.on('message', function(msg, seqno) {
              var body = ''
                , header = ''
                , parsedMsg = {}

            var prefix = '(#' + seqno + ') ';

            msg.on('body', function(stream, info) {
                var buffer = '', count = 0;

                if(info.which === 'TEXT' || info.which === '1.1'){
                    stream.on('data', function(chunk) { body += chunk.toString('utf8') })
                    stream.once('end', function() { parsedMsg.body = body })
                }
                else{
                    stream.on('data', function(chunk) { header += chunk.toString('utf-8') })
                    stream.once('end', function() { parsedMsg.header = Imap.parseHeader(header) })
                }
              stream.pipe(fs.createWriteStream('msg-' + seqno + '-body.txt'));
            });

            msg.once('attributes', function(attrs) {
                var attachments = findAttachmentParts(attrs.struct);
                console.log(prefix + 'Has attachments: %d', attachments.length);
                for(var i = 0, len = attachments.length; i < len; ++i){
                    var attachment = attachments[i];
                    /*This is how each attachment looks like {
                        partID: '2',
                        type: 'application',
                        subtype: 'octet-stream',
                        params: { name: 'file-name.ext' },
                        id: null,
                        description: null,
                        encoding: 'BASE64',
                        size: 44952,
                        md5: null,
                        disposition: { type: 'ATTACHMENT', params: { filename: 'file-name.ext' } },
                        language: null
                    }
                    */
                    console.log(prefix + 'Fetching attachment %s', attachment.params.name);
                    var f = imap.fetch(attrs.uid , {
                    bodies: [attachment.partID],
                    struct: true
                    });
                    //build function to process attachment message
                    f.on('message', buildAttMessageFunction(attachment));
                }
                parsedMsg.attrs = attrs;
              console.log(prefix + 'Attributes: %s', inspect(attrs, false, 8));
            });

            msg.once('end', function() {
              console.log(prefix + 'Finished email');
              messages.push( parsedMsg );
            });
          });
          f.once('error', function(err) {
            console.log('Fetch error: ' + err);
          });
          f.once('end', function() {
            console.log('Done fetching all messages!');
            for( i in messages ) {
                console.log( i + ': ' + inspect( messages[i], false, 4 ) );
              }
            imap.end();
          });
        });
    });
});

imap.once('error', function(err){
    console.log(err);
});

imap.once('end', function(){
    console.log('Connection ended');
});

imap.connect();

预期输出是保存到文件目录中的.jpeg图像,可以查看。我得到的实际输出是一个图像文件,当双击该文件时,它会显示:“看来我们不支持此文件格式。”

javascript node.js base64 imap
1个回答
0
投票

Base64Encode的两个实例上将其重命名为Base64Decode

© www.soinside.com 2019 - 2024. All rights reserved.