Are there any specific PHP functions or methods that are recommended for handling email attachments?
When handling email attachments in PHP, it is recommended to use the built-in PHP functions such as `mail()` or a library like PHPMailer. These functions provide easy ways to attach files to an email and send it securely. Additionally, using functions like `file_get_contents()` to read the file contents and `base64_encode()` to encode the file before attaching it can help ensure smooth handling of attachments.
// Example code using PHPMailer library to handle email attachments
use PHPMailer\PHPMailer\PHPMailer;
use PHPMailer\PHPMailer\Exception;
require 'vendor/autoload.php';
$mail = new PHPMailer(true);
try {
$mail->isSMTP();
$mail->Host = 'smtp.example.com';
$mail->SMTPAuth = true;
$mail->Username = 'your@example.com';
$mail->Password = 'yourpassword';
$mail->SMTPSecure = 'tls';
$mail->Port = 587;
$mail->setFrom('from@example.com', 'Your Name');
$mail->addAddress('recipient@example.com', 'Recipient Name');
$mail->addAttachment('/path/to/file.pdf', 'File.pdf');
$mail->isHTML(true);
$mail->Subject = 'Email with Attachment';
$mail->Body = 'Please see the attached file';
$mail->send();
echo 'Email sent successfully';
} catch (Exception $e) {
echo 'Email could not be sent. Mailer Error: ' . $mail->ErrorInfo;
}