我正在尝试将动态邮件发送到使用表单提交的电子邮件ID。
以下是我的app.js代码。
//Importing Packages
var express = require('express');
var nodemailer = require('nodemailer');
var bodyParser = require('body-parser');
//Applying Express,Ejs to Node
app = express();
app.set('view engine', 'ejs');
app.use(bodyParser.urlencoded({extended:true}));
//Creating Nodemailer Transport
var transporter = nodemailer.createTransport({
host: 'smtp.zoho.com',
port: 465,
secure: true,
auth: {
user: 'noreply@*****.com',
pass: '******'
}
});
//Root Route Setup
app.get('/', function(req, res){
res.render("landing")
});
//Route to send the mail
app.post('/send', function(req,res){
//Setting up Email settings
var mailOptions = {
from: 'noreply@*****.com',
to : req.body.mail,
subject: 'Verify Your Email',
generateTextFromHtml : true,
html: { path: './tmpl.html'}
};
//Execute this to send the mail
transporter.sendMail(mailOptions, function(error, response){
if(error) {
console.log(error);
} else {
console.log(response);
}
});
res.send("Mail succesfully sent!")
});
//Server &Port Settings
app.listen(3333, function(){
console.log("Server is running...")
});
下面是我的表单页面代码,它是一个ejs文件
<form action="/send" method="POST">
<input type="email" name="mail" placeholder="Enter your email">
<input type="text" name="name" placeholder="Enter your name">
<input type="submit">
</form>
及以下是我的html模板,该模板将邮寄到使用表单提交的ID。
<html>
<body>
<h1>Hello World!</h1>
<a href="http://www.google/com">Link</a>
</body>
</html>
如何从表单中读取名称,然后将其包含在电子邮件中,以便在每封电子邮件中,我可以使用变量向该人发送信息,例如&#34; Hello Mr {{name}}&# 34;
我无法弄清楚如何将变量传递给html文件,而没有阻止它的电子邮件,因为我无法在HTML文件中使用脚本标记使用Javascript,因为几乎所有的邮件提供商都阻止了电子邮件中的JS! / p>
有人可以帮我解决这个问题吗?
答案 0 :(得分:2)
您可以使用已经使用express设置的ejs模板引擎。调用app.render()
会将您指定的模板呈现为字符串,并将其传递给其回调,以及传递给它的任何数据。所以它的回调有点难看,但这是一个不添加任何依赖的解决方案。
简而言之,将您的电子邮件模板设为名为verifyEmail.ejs
的ejs文件,
在从app.render()
回调发送电子邮件之前,使用app.render
使用POST请求正文中的数据进行呈现。
// app.js
app.post('/send', function(req,res){
// Use the ejs rendering engine to render your email
// Pass in the 'name' variable that is used in the template file
app.render('verifyEmail', {name: req.body.name}, function(err, html){
if (err) {
console.log('error rendering email template:', err)
return
} else {
//Setting up Email settings
var mailOptions = {
from: 'noreply@*****.com',
to : req.body.mail,
subject: 'Verify Your Email',
generateTextFromHtml : true,
// pass the rendered html string in as your html
html: html
};
//Execute this to send the mail
transporter.sendMail(mailOptions, function(error, response){
if(error) {
console.log(error);
res.send('Mail Error! Try again')
} else {
console.log(response);
res.send("Mail succesfully sent!")
}
});
}
});
});
我添加了一些错误处理,并通知用户是否由于服务器错误而未发送电子邮件。您之前调用res.send()
的方式会告诉用户电子邮件在发送之前已成功发送。
将您的模板文件夹放在与&#34; landing&#34;相同的目录中。模板,或者你的ejs文件在哪里。
通过调用<%= %>
标记之间的变量将数据插入模板。通过在呈现模板时传递同名变量来填充它。
来自ejs docs:
......里面的一切&lt;%=%&gt;标签将自身插入返回的HTML中 字符串。
// views/verifyEmail.ejs
<html>
<body>
<h1>Hello <%= name %></h1>
<a href="http://www.google/com">Link</a>
</body>
</html>