- 検索ページ
- 目次
SMTP 統合の例
序文
このガイドでは、さまざまなプログラミング言語、フレームワーク、および電子メール クライアントを使用して Forward Email の SMTP サービスと統合する方法の詳細な例を示します。当社の SMTP サービスは、信頼性が高く、安全で、既存のアプリケーションと簡単に統合できるように設計されています。
転送メールの SMTP 処理の仕組み
統合例に進む前に、SMTP サービスが電子メールを処理する方法を理解することが重要です。
メールキューと再試行システム
SMTP 経由で当社のサーバーに電子メールを送信すると、次のようになります。
- 初期処理: メールは検証され、マルウェアがスキャンされ、スパムフィルターがチェックされます
- スマートキューイング: メールは配信のために洗練されたキューシステムに配置されます
- インテリジェントな再試行メカニズム: 一時的に配送が失敗した場合、当社のシステムでは次の処理が行われます。
- エラー応答を分析するには、
getBounceInfo
関数 - 問題が一時的なものか(「後でもう一度お試しください」、「一時的に延期」など)、永続的なものか(「ユーザー不明」など)を判断します。
- 一時的な問題の場合は、メールを再試行対象としてマークしてください
- 永続的な問題の場合は、バウンス通知を生成します
- エラー応答を分析するには、
- 5日間の再試行期間: 一時的な問題を解決する時間を与えるため、最大5日間(Postfixなどの業界標準と同様)配信を再試行します。
- 配送状況通知: 送信者はメールのステータス(配信済み、遅延、バウンス)に関する通知を受け取ります
[!NOTE] 配信が成功した後、セキュリティとプライバシーのために、送信 SMTP メールの内容は、構成可能な保持期間 (デフォルトでは 30 日間) の経過後に編集されます。配信が成功したことを示すプレースホルダー メッセージのみが残ります。
信頼性のためにダミー対策済み
当社のシステムは、さまざまなエッジケースに対応できるように設計されています。
- ブロックリストが検出されると、メールは自動的に再試行されます
- ネットワークに問題が発生した場合、配信は再試行されます
- 受信者のメールボックスがいっぱいの場合、システムは後で再試行します
- 受信サーバーが一時的に利用できない場合は、引き続き試行します
このアプローチにより、プライバシーとセキュリティを維持しながら配信率が大幅に向上します。
Node.js 統合
Nodemailerの使用
メモメーラー Node.js アプリケーションから電子メールを送信するための一般的なモジュールです。
const nodemailer = require('nodemailer');
// Create a transporter object
const transporter = nodemailer.createTransport({
host: 'smtp.forwardemail.net',
port: 465,
secure: true, // Use TLS
auth: {
user: 'your-username@your-domain.com',
pass: 'your-password'
}
});
// Send mail with defined transport object
async function sendEmail() {
try {
const info = await transporter.sendMail({
from: '"Your Name" <your-username@your-domain.com>',
to: 'recipient@example.com',
subject: 'Hello from Forward Email',
text: 'Hello world! This is a test email sent using Nodemailer and Forward Email SMTP.',
html: '<b>Hello world!</b> This is a test email sent using Nodemailer and Forward Email SMTP.'
});
console.log('Message sent: %s', info.messageId);
} catch (error) {
console.error('Error sending email:', error);
}
}
sendEmail();
Express.js の使用
Forward Email SMTP を Express.js アプリケーションに統合する方法は次のとおりです。
const express = require('express');
const nodemailer = require('nodemailer');
const app = express();
const port = 3000;
app.use(express.json());
// Configure email transporter
const transporter = nodemailer.createTransport({
host: 'smtp.forwardemail.net',
port: 465,
secure: true,
auth: {
user: 'your-username@your-domain.com',
pass: 'your-password'
}
});
// API endpoint for sending emails
app.post('/send-email', async (req, res) => {
const { to, subject, text, html } = req.body;
try {
const info = await transporter.sendMail({
from: '"Your App" <your-username@your-domain.com>',
to,
subject,
text,
html
});
res.status(200).json({
success: true,
messageId: info.messageId
});
} catch (error) {
console.error('Error sending email:', error);
res.status(500).json({
success: false,
error: error.message
});
}
});
app.listen(port, () => {
console.log(Server running at http://localhost:${port}
);
});
Python 統合
smtplibの使用
import smtplib
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart
Email configurationsender_email = "your-username@your-domain.com"
receiver_email = "recipient@example.com"
password = "your-password"
Create messagemessage = MIMEMultipart("alternative")
message["Subject"] = "Hello from Forward Email"
message["From"] = sender_email
message["To"] = receiver_email
Create the plain-text and HTML version of your messagetext = "Hello world! This is a test email sent using Python and Forward Email SMTP."
html = "<html><body><b>Hello world!</b> This is a test email sent using Python and Forward Email SMTP.</body></html>"
Turn these into plain/html MIMEText objectspart1 = MIMEText(text, "plain")
part2 = MIMEText(html, "html")
Add HTML/plain-text parts to MIMEMultipart messagemessage.attach(part1)
message.attach(part2)
Send emailtry:
server = smtplib.SMTP_SSL("smtp.forwardemail.net", 465)
server.login(sender_email, password)
server.sendmail(sender_email, receiver_email, message.as_string())
server.quit()
print("Email sent successfully!")
except Exception as e:
print(f"Error sending email: {e}")
Django の使用
Djangoアプリケーションの場合は、次の行を settings.py
:
# Email settings
EMAIL_BACKEND = 'django.core.mail.backends.smtp.EmailBackend'
EMAIL_HOST = 'smtp.forwardemail.net'
EMAIL_PORT = 465
EMAIL_USE_SSL = True
EMAIL_HOST_USER = 'your-username@your-domain.com'
EMAIL_HOST_PASSWORD = 'your-password'
DEFAULT_FROM_EMAIL = 'your-username@your-domain.com'
次に、ビューでメールを送信します。
from django.core.mail import send_mail
def send_email_view(request):
send_mail(
'Subject here',
'Here is the message.',
'from@your-domain.com',
['to@example.com'],
fail_silently=False,
html_message='<b>Here is the HTML message.</b>'
)
return HttpResponse('Email sent!')
PHP統合
PHPMailerの使用
<?php
use PHPMailer\PHPMailer\PHPMailer;
use PHPMailer\PHPMailer\Exception;
require 'vendor/autoload.php';
$mail = new PHPMailer(true);
try {
// Server settings
$mail->isSMTP();
$mail->Host = 'smtp.forwardemail.net';
$mail->SMTPAuth = true;
$mail->Username = 'your-username@your-domain.com';
$mail->Password = 'your-password';
$mail->SMTPSecure = PHPMailer::ENCRYPTION_SMTPS;
$mail->Port = 465;
// Recipients
$mail->setFrom('your-username@your-domain.com', 'Your Name');
$mail->addAddress('recipient@example.com', 'Recipient Name');
$mail->addReplyTo('your-username@your-domain.com', 'Your Name');
// Content
$mail->isHTML(true);
$mail->Subject = 'Hello from Forward Email';
$mail->Body = '<b>Hello world!</b> This is a test email sent using PHPMailer and Forward Email SMTP.';
$mail->AltBody = 'Hello world! This is a test email sent using PHPMailer and Forward Email SMTP.';
$mail->send();
echo 'Message has been sent';
} catch (Exception $e) {
echo "Message could not be sent. Mailer Error: {$mail->ErrorInfo}";
}
Laravelの使用
Laravelアプリケーションの場合は、 .env
ファイル:
MAIL_MAILER=smtp
MAIL_HOST=smtp.forwardemail.net
MAIL_PORT=465
MAIL_USERNAME=your-username@your-domain.com
MAIL_PASSWORD=your-password
MAIL_ENCRYPTION=ssl
MAIL_FROM_ADDRESS=your-username@your-domain.com
MAIL_FROM_NAME="${APP_NAME}"
次に、Laravel の Mail ファサードを使用してメールを送信します。
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Mail;
use App\Mail\WelcomeEmail;
class EmailController extends Controller
{
public function sendEmail()
{
Mail::to('recipient@example.com')->send(new WelcomeEmail());
return 'Email sent successfully!';
}
}
Ruby 統合
Ruby Mail Gemの使用
require 'mail'
Mail.defaults do
delivery_method :smtp, {
address: 'smtp.forwardemail.net',
port: 465,
domain: 'your-domain.com',
user_name: 'your-username@your-domain.com',
password: 'your-password',
authentication: 'plain',
enable_starttls_auto: true,
ssl: true
}
end
mail = Mail.new do
from 'your-username@your-domain.com'
to 'recipient@example.com'
subject 'Hello from Forward Email'
text_part do
body 'Hello world! This is a test email sent using Ruby Mail and Forward Email SMTP.'
end
html_part do
content_type 'text/html; charset=UTF-8'
body '<b>Hello world!</b> This is a test email sent using Ruby Mail and Forward Email SMTP.'
end
end
mail.deliver!
puts "Email sent successfully!"
Java 統合
Java メール API の使用
import java.util.Properties;
import javax.mail.*;
import javax.mail.internet.*;
public class SendEmail {
public static void main(String[] args) {
// Sender's email and password
final String username = "your-username@your-domain.com";
final String password = "your-password";
// SMTP server properties
Properties props = new Properties();
props.put("mail.smtp.auth", "true");
props.put("mail.smtp.starttls.enable", "true");
props.put("mail.smtp.host", "smtp.forwardemail.net");
props.put("mail.smtp.port", "465");
props.put("mail.smtp.socketFactory.port", "465");
props.put("mail.smtp.socketFactory.class", "javax.net.ssl.SSLSocketFactory");
// Create session with authenticator
Session session = Session.getInstance(props,
new javax.mail.Authenticator() {
protected PasswordAuthentication getPasswordAuthentication() {
return new PasswordAuthentication(username, password);
}
});
try {
// Create message
Message message = new MimeMessage(session);
message.setFrom(new InternetAddress(username));
message.setRecipients(Message.RecipientType.TO, InternetAddress.parse("recipient@example.com"));
message.setSubject("Hello from Forward Email");
// Create multipart message
Multipart multipart = new MimeMultipart("alternative");
// Text part
BodyPart textPart = new MimeBodyPart();
textPart.setText("Hello world! This is a test email sent using JavaMail and Forward Email SMTP.");
// HTML part
BodyPart htmlPart = new MimeBodyPart();
htmlPart.setContent("<b>Hello world!</b> This is a test email sent using JavaMail and Forward Email SMTP.", "text/html");
// Add parts to multipart
multipart.addBodyPart(textPart);
multipart.addBodyPart(htmlPart);
// Set content
message.setContent(multipart);
// Send message
Transport.send(message);
System.out.println("Email sent successfully!");
} catch (MessagingException e) {
throw new RuntimeException(e);
}
}
}
電子メールクライアントの設定
サンダーバード
flowchart TD
A[Open Thunderbird] --> B[Account Settings]
B --> C[Account Actions]
C --> D[Add Mail Account]
D --> E[Enter Name, Email, Password]
E --> F[Manual Config]
F --> G[Enter Server Details]
G --> H[SMTP: smtp.forwardemail.net]
H --> I[Port: 465]
I --> J[Connection: SSL/TLS]
J --> K[Authentication: Normal Password]
K --> L[Username: full email address]
L --> M[Test and Create Account]
- Thunderbirdを開いてアカウント設定に移動します
- 「アカウント操作」をクリックし、「メールアカウントの追加」を選択します
- 名前、メールアドレス、パスワードを入力してください
- 「手動設定」をクリックし、次の詳細を入力します。
- 受信サーバー:
- IMAP: imap.forwardemail.net、ポート: 993、SSL/TLS
- POP3: pop3.forwardemail.net、ポート: 995、SSL/TLS
- 送信サーバー (SMTP): smtp.forwardemail.net、ポート: 465、SSL/TLS
- 認証: 通常のパスワード
- ユーザー名: あなたのメールアドレス
- 受信サーバー:
- 「テスト」をクリックし、「完了」をクリックします
アップルメール
- メールを開き、メール > 環境設定 > アカウントに移動します。
- 「+」ボタンをクリックして新しいアカウントを追加します
- 「その他のメールアカウント」を選択し、「続行」をクリックします。
- 名前、メールアドレス、パスワードを入力し、「サインイン」をクリックします。
- 自動セットアップが失敗した場合は、次の詳細を入力します。
- 受信メールサーバー: imap.forwardemail.net (または POP3 の場合は pop3.forwardemail.net)
- 送信メールサーバー: smtp.forwardemail.net
- ユーザー名: あなたのメールアドレス
- パスワード: あなたのパスワード
- 「サインイン」をクリックしてセットアップを完了してください
Gmail (送信者名)
- Gmailを開き、「設定」>「アカウントとインポート」に移動します
- 「メールの送信者」の下で、「別のメールアドレスを追加」をクリックします。
- 名前とメールアドレスを入力し、「次のステップ」をクリックしてください
- 次の SMTP サーバーの詳細を入力します。
- SMTP サーバー: smtp.forwardemail.net
- ポート: 465
- ユーザー名: あなたのメールアドレス
- パスワード: あなたのパスワード
- 「SSLを使用した安全な接続」を選択します
- 「アカウントを追加」をクリックしてメールアドレスを確認してください
トラブルシューティング
よくある問題と解決策
-
認証に失敗しました
- ユーザー名(完全なメールアドレス)とパスワードを確認してください
- 正しいポートを使用していることを確認してください(SSL/TLSの場合は465)
- アカウントでSMTPアクセスが有効になっているか確認してください
-
接続タイムアウト
- インターネット接続を確認してください
- ファイアウォール設定がSMTPトラフィックをブロックしていないことを確認する
- 別のポート(STARTTLS の場合は 587)を使用してみてください
-
メッセージは拒否されました
- 「差出人」アドレスが認証されたメールと一致していることを確認してください
- IPがブラックリストに登録されていないか確認する
- メッセージの内容がスパムフィルターをトリガーしていないことを確認する
-
TLS/SSL エラー
- 最新のTLSバージョンをサポートするようにアプリケーション/ライブラリを更新します
- システムのCA証明書が最新であることを確認する
- 暗黙的なTLSの代わりに明示的なTLSを試す
ヘルプの取得
ここで説明されていない問題が発生した場合は、次の手順に従ってください。
- チェックしてください FAQページ よくある質問
- レビュー メール配信に関するブログ投稿 詳細情報
- サポートチームにお問い合わせください support@forwardemail.net
追加リソース
結論
Forward Email の SMTP サービスは、アプリケーションやメール クライアントからメールを送信するための信頼性が高く、安全で、プライバシーを重視した方法を提供します。インテリジェントなキュー システム、5 日間の再試行メカニズム、包括的な配信ステータス通知により、メールが宛先に確実に届くようになります。
より高度な使用例やカスタム統合については、サポート チームにお問い合わせください。