Magento 2:添付ファイル付きのメールを送信する


回答:


19

M2はすぐに使用できますが、zendフレームワークに組み込まれている機能です。この機能をmagentoに追加する方法については、こちらをご覧くださいhttps : //blog.bitexpert.de/blog/sending-mails-with-attachments-in-magento-2/

リンクが機能しなくなった場合、以下を作成します

<?php
namespace Your\CustomModule\Magento\Mail\Template;

class TransportBuilder 
    extends \Magento\Framework\Mail\Template\TransportBuilder
{
    public function addAttachment(
        $body,
        $mimeType    = Zend_Mime::TYPE_OCTETSTREAM,
        $disposition = Zend_Mime::DISPOSITION_ATTACHMENT,
        $encoding    = Zend_Mime::ENCODING_BASE64,
        $filename    = null
    ) {
        $this->message->createAttachment($body, $mimeType, $disposition, $encoding, $filename);
        return $this;
    }
}

次に、etc / di.xmlに追加します

<?xml version="1.0"?>

<config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:ObjectManager/etc/config.xsd">
    <preference for="\Magento\Framework\Mail\Template\TransportBuilder"
                type="\Your\CustomModule\Magento\Mail\Template\TransportBuilder" />
</config>

これaddAttachment()で、サイト全体で使用できます。


8
まだmagento TransportBuilderにこのメソッドがないのか疑問に思う
Murtuza Zabuawala

4
カスタムメールmagento 2.3でファイルを添付するにはどうすればよいですか?zendframework 2を使用し、この回答が機能しなくなったため
Manish Maheshwari

3
Magento 2.3で添付ファイル付きのメールを送信する方法
ダダックミテシュ18

@ManishMaheshwari&Mitesh解決策はありますか?
サミールバヤニ

1
このソリューションは、Magento2.3では動作しません。誰かが添付ファイルの代替手段を持っていますか?
-nishu

8

Magento 2.2.7の時点で、上記のソリューションは、\Magento\Framework\Mail\Message拡張機能が削除されてから機能しなくなりました\Zend_Mail
トランスポートビルダーを介して添付ファイルを追加する簡単な方法の不足を回避するには(現在のところ、このような機能の正しい場所のようです)、TransportBuilderの代わりを作成して利用する必要があります\Zend\Mime\Part

<?php
namespace Your\CustomModule\Magento\Mail\Template;

use Magento\Framework\Mail\MessageInterface;
use Magento\Framework\Mail\MessageInterfaceFactory;
use Magento\Framework\Mail\Template\FactoryInterface;
use Magento\Framework\Mail\Template\SenderResolverInterface;
use Magento\Framework\Mail\TransportInterfaceFactory;
use Magento\Framework\ObjectManagerInterface;
use Zend\Mime\Mime;
use Zend\Mime\Part as MimePart;
use Zend\Mime\PartFactory as MimePartFactory;
use Zend\Mime\Message as MimeMessage;
use Zend\Mime\MessageFactory as MimeMessageFactory;

class TransportBuilder extends \Magento\Framework\Mail\Template\TransportBuilder
{
    /** @var MimePart[] */
    private $parts = [];

    /** @var MimeMessageFactory */
    private $mimeMessageFactory;

    /** @var MimePartFactory */
    private $mimePartFactory;

    public function __construct(
        FactoryInterface $templateFactory,
        MessageInterface $message,
        SenderResolverInterface $senderResolver,
        ObjectManagerInterface $objectManager,
        TransportInterfaceFactory $mailTransportFactory,
        MimePartFactory $mimePartFactory,
        MimeMessageFactory $mimeMessageFactory,
        MessageInterfaceFactory $messageFactory = null
    ) {
        parent::__construct(
            $templateFactory,
            $message,
            $senderResolver,
            $objectManager,
            $mailTransportFactory,
            $messageFactory
        );

        $this->mimePartFactory    = $mimePartFactory;
        $this->mimeMessageFactory = $mimeMessageFactory;
    }

    protected function prepareMessage()
    {
        parent::prepareMessage();

        $mimeMessage = $this->getMimeMessage($this->message);

        foreach ($this->parts as $part) {
            $mimeMessage->addPart($part);
        }

        $this->message->setBody($mimeMessage);

        return $this;
    }

    public function addAttachment(
        $body,
        $mimeType = Mime::TYPE_OCTETSTREAM,
        $disposition = Mime::DISPOSITION_ATTACHMENT,
        $encoding = Mime::ENCODING_BASE64,
        $filename = null
    ) {
        $this->parts[] = $this->createMimePart($body, $mimeType, $disposition, $encoding, $filename);
        return $this;
    }

    private function createMimePart(
        $content,
        $type = Mime::TYPE_OCTETSTREAM,
        $disposition = Mime::DISPOSITION_ATTACHMENT,
        $encoding = Mime::ENCODING_BASE64,
        $filename = null
    ) {
        /** @var MimePart $mimePart */
        $mimePart = $this->mimePartFactory->create(['content' => $content]);
        $mimePart->setType($type);
        $mimePart->setDisposition($disposition);
        $mimePart->setEncoding($encoding);

        if ($filename) {
            $mimePart->setFileName($filename);
        }

        return $mimePart;
    }

    private function getMimeMessage(MessageInterface $message)
    {
        $body = $message->getBody();

        if ($body instanceof MimeMessage) {
            return $body;
        }

        /** @var MimeMessage $mimeMessage */
        $mimeMessage = $this->mimeMessageFactory->create();

        if ($body) {
            $mimePart = $this->createMimePart((string)$body, Mime::TYPE_TEXT, Mime::DISPOSITION_INLINE);
            $mimeMessage->setParts([$mimePart]);
        }

        return $mimeMessage;
    }
}

を使用し\Magento\Framework\Mail\Template\TransportBuilderて実装することで元のものを置き換えることを忘れないでくださいdi.xml

この実装は、Magentoの今後のリリースで\Magento\Framework\Mail\MessageInterface::setBody()非推奨となり、まもなく削除される可能性があるため、おそらく中断することに注意してください。

HTH


こんにちは!コードにメソッドaddAttachmentがありますが、どこでそれらを呼び出しましたか?見えません。
ニコライシリン

ありがとう!prepareMessageメソッドにループを追加すると、すべてが動作します。
ニコライ

@NikolaiSilin pngまたはその他のファイルの送信方法。
スミートバジャージ

1

モジュールからのMagento 2カスタムメール、画像の添付ファイルは提供しません。

Magento 2の電子メールテンプレートで画像添付ファイルを使用する場合は、Magento \ Framework \ Mail \ Template \ TransportBuilderクラスをオーバーライドする必要があります。

Magento Out-of-boxは、電子メールの添付機能を提供しません。画像の添付ファイルを送信するためのブログを詳細に参照できます。

以下のようなロジックを追加する必要があります、

 public function addAttachment(
        $body,
        $mimeType    = \Zend_Mime::TYPE_OCTETSTREAM,
        $disposition = \Zend_Mime::DISPOSITION_ATTACHMENT,
        $encoding    = \Zend_Mime::ENCODING_BASE64,
        $filename    = null
    ) {
        $this->message->createAttachment($body, $mimeType, $disposition, $encoding, $filename);
        return $this;
    }

1
magento 2.3で同じことを実現できますか?
サミールバヤニ

この方法で2.2.7まで添付ファイルを作成しました。2.2.8および2.3以降が動作していない
マティアス・クライネ

2.3.xの回答を投稿しました@MatthiasKleine
dombrobrogia

こんにちは、base64エンコード文字列がある場合、どのように添付できますか?
ケタンボラダ

1

ここにmagetno 2.3でPDFをメールで送信するための完璧な答えがあります

$transport = $_transportBuilder->setTemplateIdentifier(20)
    ->setTemplateOptions($templateOptions)                                                 
    ->setTemplateVars($templateVars)
    ->setFrom($from)
    ->addTo($vendor_email)
    ->getTransport();

$html = $transport->getMessage()>getBody()->generateMessage();            
$bodyMessage = new \Zend\Mime\Part($html);
$bodyMessage->type = 'text/html';
$attachment = $_transportBuilder->addAttachment($pdfData,$fileName);      
$bodyPart = new \Zend\Mime\Message();
$bodyPart->setParts(array($bodyMessage,$attachment));
$transport->getMessage()->setBody($bodyPart);                
$transport->sendMessage();
$inlineTranslation->resume();

ヌルに)メンバ関数generateMessage(へのコール:不明なエラー:こんにちは、それは致命的なエラーを投げている
サンディープgajjala

トランスポートにすでにメッセージがある場合は不要な新しいメッセージを作成しています。所定の場所に部品を追加するだけではどうですか?これは面倒で追跡が困難です。言うまでもなく、この問題を解決するために必要な作業とメモリが2倍になります。
dombrobrogia

0

前の回答で述べたように、magento2には添付ファイル付きのメールを送信するための機能がありません。

それがベストプラクティスであるかどうかはわかりませんZend_MailMagento\Framework\Mail\Template\TransportBuilder、以下のようにカスタム関数を作成してオーバーライドすることなく、クラスを直接呼び出すことができます

$mail = new \Zend_Mail('utf-8');
$mail->setFrom($senderEmail);
$mail->addTo($receiverEmail);
$mail->setSubject($subject);
$mail->setBodyHtml($text);

$content = file_get_contents($attachmentAbsolutePath);

$attachment = new \Zend_Mime_Part($content);
$attachment->type = 'text/xml'; // attachment's mime type
$attachment->disposition = \Zend_Mime::DISPOSITION_ATTACHMENT;
$attachment->encoding = \Zend_Mime::ENCODING_BASE64;
$attachment->filename = $filename;
$mail->addAttachment($attachment);
$mail->send();

ギブ前-1それはこのコメントのテキストエリアを使用するのでによって提案され、その後、誰もが間違っているかを理解でき、THX
LucScu

$ transport-> getMessage()-> setBody($ bodyPart);
imtiazau

このキャッチされないエラーの取得:未定義メソッドの呼び出しMagento \\ Framework \\ Mail \\ EmailMessage :: setBody()
imtiazau

これらのコメントは答えとは関係ありません
LucScu

magento 2.3.3でこのエラーが発生しています
imtiazau

0

Magento 2.3.x互換性:

これはMagento 2.3に対する私の答えでした。これは、これがGoogleの一番の質問であり、多くの人がコメントを探しているようだからです。

TransportBuilder介してデフォルトクラスを上書きすることについて他の投稿で多くの欲求etc/di.xmlがあるようですが、私が取り組んでいるモジュールは非常に小さいため、デフォルトの責任を負わせたくないTransportBuilderので、ヘルパークラスを構築する必要があります(おそらく、それが宣言された電子メールテンプレートにどの程度結合されているかに基づいたモデルになります-しかし、私は脱線します。

TransportBuilderパブリックアクセスを持っていないTransportInterfaceが、その代わりにクローン毎回生成し、ビルダーをリセットします。TransportInterfaceインスタンスを構築してPartから、トランスポートのメッセージに添付オブジェクトを添付する方が簡単だとわかりました。TransportBuilder依存性注入設定を介してデフォルトを上書きする必要がある場合は、パブリックメソッドの更新に注意してください。コードを安定させるには、Oを練習することを忘れないでください!

namespace Vendor\Module\Helper;

use Magento\Framework\App\Area;
use Magento\Framework\App\Helper\AbstractHelper;
use Magento\Framework\App\Helper\Context;
use Magento\Framework\DataObject;
use Magento\Framework\Filesystem\Io\File;
use Magento\Framework\Mail\Template\TransportBuilder;
use Magento\Framework\Mail\TransportInterface;
use Magento\Store\Model\StoreManagerInterface;
use Zend_Mime;
use Zend\Mime\Part;

/**
 * This was initially built out to send a single email. Abstract this as you 
 * wish.
 *
 * @package Vendor\Module\Helper
 */
class Mail extends AbstractHelper
{
    /**
     * @var Context
     */
    protected $context;

    /**
     * @var TransportBuilder
     */
    protected $transportBuilder;

    /**
     * @var StoreManagerInterface
     */
    protected $storeManager;

    /**
     * @var Config
     */
    protected $config;

    /**
     * Mail constructor.
     *
     * @param Context $context
     * @param TransportBuilder $transportBuilder
     * @param StoreManagerInterface $storeManager
     * @param Config $config
     * @param File $file
     */
    public function __construct(
        Context $context,
        TransportBuilder $transportBuilder,
        StoreManagerInterface $storeManager,
        Config $config,
        File $file
    ) {
        parent::__construct($context);
        $this->transportBuilder = $transportBuilder;
        $this->storeManager = $storeManager;
        $this->config = $config;
        $this->file = $file;
    }

    /**
     * Send the email for a Help Center submission.
     *
     * @param DataObject $templateParams
     * @param array $attachments
     * @return void
     */
    public function send(DataObject $templateParams, array $attachments = [])
    {
        $storeId = $this->storeManager->getStore()->getId();

        // Build transport
        /** @var \Magento\Framework\Mail\TransportInterface $transport */
        $transport = $this->transportBuilder
            ->setTemplateOptions(['area' => Area::AREA_FRONTEND, 'store' => $storeId])
            ->setTemplateIdentifier($this->config->getEmailTemplate())
            ->setTemplateVars($templateParams->toArray())
            ->setFrom($this->config->getEmailSender())
            ->addTo($this->config->getEmailRecipient(), 'Help Center')
            /**
             * Something important to note is that when the getTransport()
             * function is run, the message is compiled and then the builder 
             * class resets (as of 2.3.1). 
             * 
             * This is note worthy because if you want to send > 1 attachment,
             * your $builder will be reset -- losing all of the ->set* functions
             * you just used above as well as your attachment.
             * 
             * Since we append attachments to the transport, it's easier to:
             * build -> attach -> send. And this way multiple attachments 
             * can be included. :thumbsup:
             */
            ->getTransport();

        // Attach Images to transport
        foreach ($attachments as $a) {
            $transport = $this->addAttachment($transport, $a);
        }

        // Send transport
        $transport->sendMessage();
    }

    /**
     * Add an attachment to the message inside the transport builder.
     *
     * @param TransportInterface $transportBuilder
     * @param array $file Sanitized index from $_FILES
     * @return TransportInterface
     */
    protected function addAttachment(TransportInterface $transport, array $file): TransportInterface
    {
        $part = $this->createAttachment($file);
        $transport->getMessage()->addPart($part);

        return $transport;
    }

    /**
     * Create an zend mime part that is an attachment to attach to the email.
     * 
     * This was my usecase, you'll need to edit this to your own needs.
     *
     * @param array $file Sanitized index from $_FILES
     * @return Part
     */
    protected function createAttachment(array $file): Part
    {
        $ext =  '.' . explode('/', $file['type'])[1];
        $fileName = md5(uniqid(microtime()), true) . $ext;

        $attachment = new Part($this->file->read($file['tmp_name']));
        $attachment->disposition = Zend_Mime::TYPE_OCTETSTREAM;
        $attachment->encoding = Zend_Mime::ENCODING_BASE64;
        $attachment->filename = $fileName;

        return $attachment;
    }
}

私はそれを適切に動作させることができません、私は常に「Uncaught Error:call on member function addPart()on string」という例外を受け取ります...それについてのアイデアはありますか?:/
ハレロン

1
@hallleron奇妙なことに、これは私が得ていたものとは異なりますが、あなたは正しいようです。MessageInterface::getBodyメソッドシグネチャは、文字列の戻り型を示しています。TransportInterfaceオブジェクトを掘り下げる必要があるかもしれませんが、addPartメソッドがZend\Mime\Messageオブジェクト上に存在することを伝えることができます。magentoはおそらくそのクラスを自分用に拡張したためMessageクラスに、試してみるのが賢明だと思います$transport->getMessage()->addpart($part);
-domdambrogia
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.