SMAM (short for Send Me A Mail) is a free (as in freedom) contact form embedding software.

server.js 7.0KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243
  1. var pug = require('pug');
  2. var nodemailer = require('nodemailer');
  3. var crypto = require('crypto');
  4. var settings = require('./settings');
  5. // Web server
  6. var bodyParser = require('body-parser');
  7. var cors = require('cors');
  8. var express = require('express');
  9. var app = express();
  10. // Logging
  11. var printit = require('printit');
  12. var log = printit({
  13. prefix: 'SMAM',
  14. date: true
  15. });
  16. // nodemailer initial configuration
  17. var transporter = nodemailer.createTransport(settings.mailserver);
  18. // Verification tokens
  19. var tokens = {};
  20. // Serve static (JS + HTML) files
  21. app.use(express.static('front'));
  22. // Body parsing
  23. app.use(bodyParser.urlencoded({ extended: true }));
  24. app.use(bodyParser.json());
  25. // Allow cross-origin requests.
  26. var corsOptions = {
  27. origin: settings.formOrigin,
  28. optionsSuccessStatus: 200 // some legacy browsers (IE11, various SmartTVs) choke on 204
  29. };
  30. app.use(cors(corsOptions));
  31. // Taking care of preflight requests
  32. app.options('*', cors(corsOptions));
  33. // A request on /register generates a token and store it, along the user's
  34. // address, on the tokens object
  35. app.get('/register', function(req, res, next) {
  36. // Get IP from express
  37. let ip = req.headers['x-forwarded-for'] || req.connection.remoteAddress;
  38. if(tokens[ip] === undefined) {
  39. tokens[ip] = [];
  40. }
  41. // Generate token
  42. crypto.randomBytes(10, (err, buf) => {
  43. let token = buf.toString('hex');
  44. // Store and send the token
  45. tokens[ip].push({
  46. token: token,
  47. // A token expires after 12h
  48. expire: new Date().getTime() + 12 * 3600 * 1000
  49. });
  50. res.status(200).send(token);
  51. });
  52. });
  53. // A request on /send with user input = mail to be sent
  54. app.post('/send', function(req, res, next) {
  55. // Response will be JSON
  56. res.header('Access-Control-Allow-Headers', 'Content-Type');
  57. if(!checkBody(req.body)) {
  58. return res.status(400).send();
  59. }
  60. let ip = req.headers['x-forwarded-for'] || req.connection.remoteAddress;
  61. if(!checkToken(ip, req.body.token)) {
  62. return res.status(403).send();
  63. }
  64. // Count the failures
  65. let status = {
  66. failed: 0,
  67. total: settings.recipients.length
  68. };
  69. // params will be used as:
  70. // - values for html generation from the pug template
  71. // - parameters for sending the mail(s)
  72. let params = {
  73. subject: req.body.subj,
  74. from: req.body.name + '<' + settings.mailserver.auth.user + '>',
  75. replyTo: req.body.name + ' <' + req.body.addr + '>',
  76. html: req.body.text
  77. };
  78. // Replacing the mail's content with HTML from the pug template
  79. // Commenting the line below will bypass the generation and only user the
  80. // text entered by the user
  81. params.html = pug.renderFile('template.pug', params);
  82. log.info('Sending message from ' + params.replyTo);
  83. // Send the email to all users
  84. sendMails(params, function(err, infos) {
  85. if(err) {
  86. log.error(err);
  87. }
  88. logStatus(infos);
  89. }, function() {
  90. if(status.failed === status.total) {
  91. res.status(500).send();
  92. } else {
  93. res.status(200).send();
  94. }
  95. })
  96. });
  97. // Use either the default port or the one chosen by the user (PORT env variable)
  98. var port = process.env.PORT || 1970;
  99. // Same for the host (using the HOST env variable)
  100. var host = process.env.HOST || '0.0.0.0';
  101. // Start the server
  102. app.listen(port, host, function() {
  103. log.info('Server started on ' + host + ':' + port);
  104. });
  105. // Run the clean every hour
  106. var tokensChecks = setTimeout(cleanTokens, 3600 * 1000);
  107. // Send mails to the recipients specified in the JSON settings file
  108. // content: object containing mail params
  109. // {
  110. // subject: String
  111. // from: String (following RFC 1036 (https://tools.ietf.org/html/rfc1036#section-2.1.1))
  112. // html: String
  113. // }
  114. // update(next, infos): Called each time a mail is sent with the infos provided
  115. // by nodemailer
  116. // done(): Called once each mail has been sent
  117. function sendMails(params, update, done) {
  118. let mails = settings.recipients.map((recipient) => {
  119. // Promise for each recipient to send each mail asynchronously
  120. return new Promise((sent) => {
  121. params.to = recipient;
  122. // Send the email
  123. transporter.sendMail(params, (err, infos) => {
  124. if(err) {
  125. return update(err, recipient);
  126. }
  127. update(null, infos);
  128. // Promise callback
  129. sent();
  130. });
  131. });
  132. });
  133. // Run all the promises (= send all the mails)
  134. Promise.all(mails).then(done);
  135. }
  136. // Produces log from the infos provided by nodemailer
  137. // infos: infos provided by nodemailer
  138. // return: nothing
  139. function logStatus(infos) {
  140. if(infos.accepted.length !== 0) {
  141. log.info('Message sent to ' + infos.accepted[0]);
  142. }
  143. if(infos.rejected.length !== 0) {
  144. status.failed++;
  145. log.info('Message failed to send to ' + infos.rejected[0]);
  146. }
  147. }
  148. // Checks if the request's sender has been registered (and unregister it if not)
  149. // ip: sender's IP address
  150. // token: token used by the sender
  151. // return: true if the user was registered, false else
  152. function checkToken(ip, token) {
  153. let verified = false;
  154. // Check if there's at least one token for this IP
  155. if(tokens[ip] !== undefined) {
  156. if(tokens[ip].length !== 0) {
  157. // There's at least one element for this IP, let's check the tokens
  158. for(var i = 0; i < tokens[ip].length; i++) {
  159. if(!tokens[ip][i].token.localeCompare(token)) {
  160. // We found the right token
  161. verified = true;
  162. // Removing the token
  163. tokens[ip].pop(tokens[ip][i]);
  164. break;
  165. }
  166. }
  167. }
  168. }
  169. if(!verified) {
  170. log.warn(ip + ' just tried to send a message with an invalid token');
  171. }
  172. return verified;
  173. }
  174. // Checks if all the required fields are in the request body
  175. // body: body taken from express's request object
  176. // return: true if the body is valid, false else
  177. function checkBody(body) {
  178. let valid = false;
  179. if(body.token !== undefined && body.subj !== undefined
  180. && body.name !== undefined && body.addr !== undefined
  181. && body.text !== undefined) {
  182. valid = true;
  183. }
  184. return valid;
  185. }
  186. // Checks the tokens object to see if no token has expired
  187. // return: nothing
  188. function cleanTokens() {
  189. // Get current time for comparison
  190. let now = new Date().getTime();
  191. for(let ip in tokens) { // Check for each IP in the object
  192. for(let token of tokens[ip]) { // Check for each token of an IP
  193. if(token.expire < now) { // Token has expired
  194. tokens[ip].pop(token);
  195. }
  196. }
  197. if(tokens[ip].length === 0) { // No more element for this IP
  198. delete tokens[ip];
  199. }
  200. }
  201. log.info('Cleared expired tokens');
  202. }