使用Java发送邮件

JavaMail是一个通过邮件服务器发送和接收邮件的平台独立的框架。

一、简单邮件发送

首先我们需要创建一个Session对象,然后创建一个默认的MimeMessage对象。

import javax.mail.*;
import javax.mail.internet.*;

import java.util.Properties;

public class EmailSender {
    public void sendEmail(String recipient, String subject, String messageBody) {
        //定义发送邮件的属性
        final String username = "your-email-id";
        final String password = "your-password";

        Properties props = new Properties();
        props.put("mail.smtp.auth", "true");
        props.put("mail.smtp.starttls.enable", "true");
        props.put("mail.smtp.host", "smtp.gmail.com");
        props.put("mail.smtp.port", "587");

        //获取Session对象
        Session session = Session.getInstance(props,
          new javax.mail.Authenticator() {
              protected PasswordAuthentication getPasswordAuthentication() {
                  return new PasswordAuthentication(username, password);
              }
          });

        try {
            //创建MimeMessage对象
            Message message = new MimeMessage(session);
            message.setFrom(new InternetAddress("from-email"));
            message.setRecipients(Message.RecipientType.TO,
                    InternetAddress.parse(recipient));
            message.setSubject(subject);
            message.setText(messageBody);

            //发送邮件
            Transport.send(message);

        } catch (MessagingException e) {
            throw new RuntimeException(e);
        }
    }
}


二、发送含有附件的邮件

如果你想要在邮件中添加附件,则需要创建一个使用Multipart实例的MimeMessage,并添加至少一个BodyPart实例到这个Multipart实例中。

public class EmailSenderWithAttachment {
    public void sendEmailWithAttachment(String recipient, String subject, String messageBody, String fileName) {
        //创建和配置Session
        //...省略相同的部分代码...

        try {
            //创建含有附件的邮件
            Message message = new MimeMessage(session);
            message.setFrom(new InternetAddress("from-email"));
            message.setRecipients(Message.RecipientType.TO,InternetAddress.parse(recipient));
            message.setSubject(subject);

            Multipart multipart = new MimeMultipart();
            BodyPart messageBodyPart = new MimeBodyPart();
            messageBodyPart.setText(messageBody);
            multipart.addBodyPart(messageBodyPart);

            //创建附件部分
            messageBodyPart = new MimeBodyPart();
            DataSource source = new FileDataSource(fileName);
            messageBodyPart.setDataHandler(new DataHandler(source));
            messageBodyPart.setFileName(fileName);
            multipart.addBodyPart(messageBodyPart);

            //设置邮件内容
            message.setContent(multipart);

            //发送邮件
            Transport.send(message);

        } catch (MessagingException e) {
            throw new RuntimeException(e);
        }
    }
}

这段代码中添加了一个新的MimeBodyPart对象到Multipart实例中,这个新的对象包含了附件的内容

本文标题为:使用Java发送邮件

上一篇: Java append函数
下一篇: Java随机数

基础教程推荐