Files
2024-11-11 18:46:54 +01:00

545 lines
20 KiB
PHP

<?php
class Mail extends MailCore
{
public static function send(
$idLang,
$template,
$subject,
$templateVars,
$to,
$toName = null,
$from = null,
$fromName = null,
$fileAttachment = null,
$mode_smtp = null,
$templatePath = _PS_MAIL_DIR_,
$die = false,
$idShop = null,
$bcc = null,
$replyTo = null,
$replyToName = null
) {
if (!$idShop) {
$idShop = Context::getContext()->shop->id;
}
$hookBeforeEmailResult = Hook::exec(
'actionEmailSendBefore',
[
'idLang' => &$idLang,
'template' => &$template,
'subject' => &$subject,
'templateVars' => &$templateVars,
'to' => &$to,
'toName' => &$toName,
'from' => &$from,
'fromName' => &$fromName,
'fileAttachment' => &$fileAttachment,
'mode_smtp' => &$mode_smtp,
'templatePath' => &$templatePath,
'die' => &$die,
'idShop' => &$idShop,
'bcc' => &$bcc,
'replyTo' => &$replyTo,
],
null,
true
);
if ($hookBeforeEmailResult === null) {
$keepGoing = false;
} else {
$keepGoing = array_reduce(
$hookBeforeEmailResult,
function ($carry, $item) {
return ($item === false) ? false : $carry;
},
true
);
}
if (!$keepGoing) {
return true;
}
if (is_numeric($idShop) && $idShop) {
$shop = new Shop((int) $idShop);
}
$configuration = Configuration::getMultiple(
[
'PS_SHOP_EMAIL',
'PS_MAIL_METHOD',
'PS_MAIL_SERVER',
'PS_MAIL_USER',
'PS_MAIL_PASSWD',
'PS_SHOP_NAME',
'PS_MAIL_SMTP_ENCRYPTION',
'PS_MAIL_SMTP_PORT',
'PS_MAIL_TYPE',
],
null,
null,
$idShop
);
// Returns immediately if emails are deactivated
if ($configuration['PS_MAIL_METHOD'] == self::METHOD_DISABLE) {
return true;
}
// Hook to alter template vars
Hook::exec(
'sendMailAlterTemplateVars',
[
'template' => $template,
'template_vars' => &$templateVars,
]
);
if (!isset($configuration['PS_MAIL_SMTP_ENCRYPTION']) ||
Tools::strtolower($configuration['PS_MAIL_SMTP_ENCRYPTION']) === 'off'
) {
$configuration['PS_MAIL_SMTP_ENCRYPTION'] = false;
}
if (!isset($configuration['PS_MAIL_SMTP_PORT'])) {
$configuration['PS_MAIL_SMTP_PORT'] = 'default';
}
/*
* Sending an e-mail can be of vital importance for the merchant, when his password
* is lost for example, so we must not die but do our best to send the e-mail.
*/
if (!isset($from) || !Validate::isEmail($from)) {
$from = $configuration['PS_SHOP_EMAIL'];
}
if (!Validate::isEmail($from)) {
$from = null;
}
// $from_name is not that important, no need to die if it is not valid
if (!isset($fromName) || !Validate::isMailName($fromName)) {
$fromName = $configuration['PS_SHOP_NAME'];
}
if (!Validate::isMailName($fromName)) {
$fromName = null;
}
/*
* It would be difficult to send an e-mail if the e-mail is not valid,
* so this time we can die if there is a problem.
*/
if (!is_array($to) && !Validate::isEmail($to)) {
self::dieOrLog($die, 'Error: parameter "to" is corrupted');
return false;
}
// if bcc is not null, make sure it's a vaild e-mail
if (null !== $bcc && !is_array($bcc) && !Validate::isEmail($bcc)) {
self::dieOrLog($die, 'Error: parameter "bcc" is corrupted');
$bcc = null;
}
if (!is_array($templateVars)) {
$templateVars = [];
}
// Do not crash for this error, that may be a complicated customer name
if (is_string($toName) && !empty($toName) && !Validate::isMailName($toName)) {
$toName = null;
}
if (!Validate::isTplName($template)) {
self::dieOrLog($die, 'Error: invalid e-mail template');
return false;
}
if (!Validate::isMailSubject($subject)) {
self::dieOrLog($die, 'Error: invalid e-mail subject');
return false;
}
/* Construct multiple recipients list if needed */
$message = new Swift_Message();
if (is_array($to) && isset($to)) {
foreach ($to as $key => $addr) {
$addr = trim($addr);
if (!Validate::isEmail($addr)) {
self::dieOrLog($die, 'Error: invalid e-mail address');
return false;
}
if (is_array($toName) && isset($toName[$key])) {
$addrName = $toName[$key];
} else {
$addrName = $toName;
}
$addrName = ($addrName == null || $addrName == $addr || !Validate::isGenericName($addrName)) ?
'' :
self::mimeEncode($addrName);
$message->addTo(self::toPunycode($addr), $addrName);
}
$toPlugin = $to[0];
} else {
/* Simple recipient, one address */
$toPlugin = $to;
$toName = (($toName == null || $toName == $to) ? '' : self::mimeEncode($toName));
$message->addTo(self::toPunycode($to), $toName);
}
if (isset($bcc) && is_array($bcc)) {
foreach ($bcc as $addr) {
$addr = trim($addr);
if (!Validate::isEmail($addr)) {
self::dieOrLog($die, 'Error: invalid e-mail address');
return false;
}
$message->addBcc(self::toPunycode($addr));
}
} elseif (isset($bcc)) {
$message->addBcc(self::toPunycode($bcc));
}
try {
/* Connect with the appropriate configuration */
if ($configuration['PS_MAIL_METHOD'] == self::METHOD_SMTP) {
if (empty($configuration['PS_MAIL_SERVER']) || empty($configuration['PS_MAIL_SMTP_PORT'])) {
self::dieOrLog($die, 'Error: invalid SMTP server or SMTP port');
return false;
}
$connection = (new Swift_SmtpTransport(
$configuration['PS_MAIL_SERVER'],
$configuration['PS_MAIL_SMTP_PORT'],
$configuration['PS_MAIL_SMTP_ENCRYPTION']
))
->setUsername($configuration['PS_MAIL_USER'])
->setPassword($configuration['PS_MAIL_PASSWD']);
} else {
/**
* mail() support was removed from SwiftMailer for security reasons
* previously => $connection = \Swift_MailTransport::newInstance();
* Use Swift_SendmailTransport instead
*
* @see https://github.com/swiftmailer/swiftmailer/issues/866
*/
$connection = new Swift_SendmailTransport();
}
if (!$connection) {
return false;
}
$swift = new Swift_Mailer($connection);
/* Get templates content */
$iso = Language::getIsoById((int) $idLang);
$isoDefault = Language::getIsoById((int) Configuration::get('PS_LANG_DEFAULT'));
$isoArray = [];
if ($iso) {
$isoArray[] = $iso;
}
if ($isoDefault && $iso !== $isoDefault) {
$isoArray[] = $isoDefault;
}
if (!in_array('en', $isoArray)) {
$isoArray[] = 'en';
}
$moduleName = false;
// get templatePath
if (preg_match('#' . $shop->physical_uri . 'modules/#', str_replace(DIRECTORY_SEPARATOR, '/', $templatePath)) &&
preg_match('#modules/([a-z0-9_-]+)/#ui', str_replace(DIRECTORY_SEPARATOR, '/', $templatePath), $res)
) {
$moduleName = $res[1];
}
foreach ($isoArray as $isoCode) {
$isoTemplate = $isoCode . '/' . $template;
$templatePath = self::getTemplateBasePath($isoTemplate, $moduleName, $shop->theme);
if (!file_exists($templatePath . $isoTemplate . '.txt') &&
(
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_BOTH ||
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_TEXT
)
) {
PrestaShopLogger::addLog(
Context::getContext()->getTranslator()->trans(
'Error - The following e-mail template is missing: %s',
[$templatePath . $isoTemplate . '.txt'],
'Admin.Advparameters.Notification'
)
);
} elseif (!file_exists($templatePath . $isoTemplate . '.html') &&
(
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_BOTH ||
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_HTML
)
) {
PrestaShopLogger::addLog(
Context::getContext()->getTranslator()->trans(
'Error - The following e-mail template is missing: %s',
[$templatePath . $isoTemplate . '.html'],
'Admin.Advparameters.Notification'
)
);
} else {
$templatePathExists = true;
break;
}
}
if (empty($templatePathExists)) {
self::dieOrLog($die, 'Error - The following e-mail template is missing: %s', [$template]);
return false;
}
$templateHtml = '';
$templateTxt = '';
Hook::exec(
'actionEmailAddBeforeContent',
[
'template' => $template,
'template_html' => &$templateHtml,
'template_txt' => &$templateTxt,
'id_lang' => (int) $idLang,
],
null,
true
);
$templateHtml .= Tools::file_get_contents($templatePath . $isoTemplate . '.html');
$templateTxt .= strip_tags(
html_entity_decode(
Tools::file_get_contents($templatePath . $isoTemplate . '.txt'),
null,
'utf-8'
)
);
Hook::exec(
'actionEmailAddAfterContent',
[
'template' => $template,
'template_html' => &$templateHtml,
'template_txt' => &$templateTxt,
'id_lang' => (int) $idLang,
],
null,
true
);
/* Create mail and attach differents parts */
$subject = '[' . strip_tags($configuration['PS_SHOP_NAME']) . '] ' . $subject;
$message->setSubject($subject);
$message->setCharset('utf-8');
/* Set Message-ID - getmypid() is blocked on some hosting */
$message->setId(Mail::generateId());
if (!($replyTo && Validate::isEmail($replyTo))) {
$replyTo = $from;
}
if (isset($replyTo) && $replyTo) {
$message->setReplyTo($replyTo, ($replyToName !== '' ? $replyToName : null));
}
if (false !== Configuration::get('PS_LOGO_MAIL') &&
file_exists(_PS_IMG_DIR_ . Configuration::get('PS_LOGO_MAIL', null, null, $idShop))
) {
$logo = _PS_IMG_DIR_ . Configuration::get('PS_LOGO_MAIL', null, null, $idShop);
} else {
if (file_exists(_PS_IMG_DIR_ . Configuration::get('PS_LOGO', null, null, $idShop))) {
$logo = _PS_IMG_DIR_ . Configuration::get('PS_LOGO', null, null, $idShop);
} else {
$templateVars['{shop_logo}'] = '';
}
}
ShopUrl::cacheMainDomainForShop((int) $idShop);
/* don't attach the logo as */
if (isset($logo)) {
$templateVars['{shop_logo}'] = $message->embed(\Swift_Image::fromPath($logo));
}
if ((Context::getContext()->link instanceof Link) === false) {
Context::getContext()->link = new Link();
}
$templateVars['{shop_name}'] = Tools::safeOutput($configuration['PS_SHOP_NAME']);
$templateVars['{shop_url}'] = Context::getContext()->link->getPageLink(
'index',
true,
$idLang,
null,
false,
$idShop
);
$templateVars['{my_account_url}'] = Context::getContext()->link->getPageLink(
'my-account',
true,
$idLang,
null,
false,
$idShop
);
$templateVars['{guest_tracking_url}'] = Context::getContext()->link->getPageLink(
'guest-tracking',
true,
$idLang,
null,
false,
$idShop
);
$templateVars['{history_url}'] = Context::getContext()->link->getPageLink(
'history',
true,
$idLang,
null,
false,
$idShop
);
$templateVars['{color}'] = Tools::safeOutput(Configuration::get('PS_MAIL_COLOR', null, null, $idShop));
/* start inpostship mod */
$templateVars['{paczkomat}'] = '';
if (Context::getContext()->cart->id > 0) {
$id_cart = (int)Context::getContext()->cart->id;
$id_order = (int)Db::getInstance()->getValue('SELECT `id_order` FROM `'._DB_PREFIX_.'orders` WHERE `id_cart` = '.(int)$id_cart);
if ($id_order > 0) {
require_once _PS_MODULE_DIR_.'inpostship/classes/InpostPack.php';
require_once _PS_MODULE_DIR_.'inpostship/classes/InpostPoint.php';
$ship = InpostPack::issetCart((int)$id_cart);
if (!empty($ship['receiver_machine'])) {
$point = InpostPoint::getPointInfo($ship['receiver_machine']);
if (!empty($point)) {
$templateVars['{point_code}'] = $point['point_code'];
$templateVars['{point_address}'] = $point['point_address1'].', '.$point['point_address2'];
$templateVars['{point_description}'] = $point['point_desc'];
$templateVars['{point_lat}'] = $point['point_lat'];
$templateVars['{point_lng}'] = $point['point_lng'];
$templateVars['{paczkomat}'] = '<tr>
<td align="left" style="border-collapse: collapse; mso-table-lspace: 0pt; mso-table-rspace: 0pt; font-size: 0px; padding: 10px 25px; word-break: break-word;">
<div style="font-family:Open sans, arial, sans-serif;font-size:16px;line-height:25px;text-align:left;color:#363A41;" align="left">
<span class="label" style="font-weight: 700;">Paczkomat:</span> '.$point['point_code'].' - '.$point['point_address1'].', '.$point['point_address2'].'<br />'.$point['point_desc'].'</div>
</td>
</tr>';
}
}
}
}
/* end inpostship mod */
// Get extra template_vars
$extraTemplateVars = [];
Hook::exec(
'actionGetExtraMailTemplateVars',
[
'template' => $template,
'template_vars' => $templateVars,
'extra_template_vars' => &$extraTemplateVars,
'id_lang' => (int) $idLang,
],
null,
true
);
$templateVars = array_merge($templateVars, $extraTemplateVars);
$swift->registerPlugin(new Swift_Plugins_DecoratorPlugin([self::toPunycode($toPlugin) => $templateVars]));
if ($configuration['PS_MAIL_TYPE'] == Mail::TYPE_BOTH ||
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_TEXT
) {
$message->addPart($templateTxt, 'text/plain', 'utf-8');
}
if ($configuration['PS_MAIL_TYPE'] == Mail::TYPE_BOTH ||
$configuration['PS_MAIL_TYPE'] == Mail::TYPE_HTML
) {
$message->addPart($templateHtml, 'text/html', 'utf-8');
}
if ($fileAttachment && !empty($fileAttachment)) {
// Multiple attachments?
if (!is_array(current($fileAttachment))) {
$fileAttachment = [$fileAttachment];
}
foreach ($fileAttachment as $attachment) {
if (isset($attachment['content'], $attachment['name'], $attachment['mime'])) {
$message->attach(
(new Swift_Attachment())->setFilename(
$attachment['name']
)->setContentType($attachment['mime'])
->setBody($attachment['content'])
);
}
}
}
/* Send mail */
$message->setFrom([$from => $fromName]);
// Hook to alter Swift Message before sending mail
Hook::exec('actionMailAlterMessageBeforeSend', [
'message' => &$message,
]);
$send = $swift->send($message);
ShopUrl::resetMainDomainCache();
if ($send && Configuration::get('PS_LOG_EMAILS')) {
$mail = new Mail();
$mail->template = Tools::substr($template, 0, 62);
$mail->subject = Tools::substr($subject, 0, 255);
$mail->id_lang = (int) $idLang;
$recipientsTo = $message->getTo();
$recipientsCc = $message->getCc();
$recipientsBcc = $message->getBcc();
if (!is_array($recipientsTo)) {
$recipientsTo = [];
}
if (!is_array($recipientsCc)) {
$recipientsCc = [];
}
if (!is_array($recipientsBcc)) {
$recipientsBcc = [];
}
foreach (array_merge($recipientsTo, $recipientsCc, $recipientsBcc) as $email => $recipient_name) {
/* @var Swift_Address $recipient */
$mail->id = null;
$mail->recipient = Tools::substr($email, 0, 255);
$mail->add();
}
}
return $send;
} catch (Swift_SwiftException $e) {
PrestaShopLogger::addLog(
'Swift Error: ' . $e->getMessage(),
3,
null,
'Swift_Message'
);
return false;
}
}
}