web-dev-qa-db-ja.com

Java Mail API:企業のOutlookアカウントを介してメールを送信します

プログラムで会社のOutlookアカウントからメールを送信できるようにしたい。私は多くのJMAの例を見ましたが、私が望むものではないようです。

  1. Outlook経由でメールを送信する簡単な例はどこにありますか?
  2. 郵送システムを別のサービスアプリケーションに移動する必要がありますか?もしそうなら、なぜですか?
4
VB_

必要なのは、企業アカウントのSMTP設定だけです。 JavaメールAPIを使用して、プログラムでこれらを設定します。

Properties props = System.getProperties();
props.put("mail.smtp.Host", "your server here");
Session session = Session.getDefaultInstance(props, null);

例: here および here

6
adi

ダウンロードする必要がありますjavax.mail JARを最初に。次に、次のコードを試してください。

import Java.io.IOException;
import Java.util.Properties;
import javax.mail.Message;
import javax.mail.MessagingException;
import javax.mail.PasswordAuthentication;
import javax.mail.Session;
import javax.mail.Transport;
import javax.mail.internet.InternetAddress;
import javax.mail.internet.MimeMessage;

public class SendMail {

    public static void main(String[]args) throws IOException {

        final String username = "enter your username";
        final String password = "enter your password";

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

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

        try {

            Message message = new MimeMessage(session);
            message.setFrom(new InternetAddress("enter your Outlook mail address"));
            message.setRecipients(Message.RecipientType.TO,
                InternetAddress.parse("Enter the recipient mail address"));
            message.setSubject("Test");
            message.setText("HI");

            Transport.send(message);

            System.out.println("Done");

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

ホスト名としてOutlook.office365.comを試し、authentication unaccepted exceptionを取得しました。 smtp-mail.Outlook.comを使用すると、Javamail APIを使用してOutlookからメールを送信できます。

詳しくは Outlookの設定を確認してください Outlook公式サイトで。

完全に機能するデモコードについて この回答を読む

2

私が見ることができるものから、次のインポートが欠落しています:

import Java.io.IOException;

このクラスの先頭にあるクラスインポートにそれを含めるだけで、問題は解決するはずです。

0
Scott Whalen