wildduck/lib/api/addresses.js

2015 lines
71 KiB
JavaScript
Raw Normal View History

2017-07-26 16:52:55 +08:00
'use strict';
2017-12-27 21:22:48 +08:00
const config = require('wild-config');
2017-11-27 20:20:57 +08:00
const Joi = require('../joi');
const MongoPaging = require('mongo-cursor-pagination-node6');
2017-07-26 16:52:55 +08:00
const ObjectID = require('mongodb').ObjectID;
const tools = require('../tools');
2017-12-27 21:22:48 +08:00
const consts = require('../consts');
2017-07-26 16:52:55 +08:00
module.exports = (db, server) => {
2017-11-28 19:32:59 +08:00
/**
* @api {get} /addresses List registered Addresses
* @apiName GetAddresses
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} [query] Partial match of an address
* @apiParam {Number} [limit=20] How many records to return
* @apiParam {Number} [page=1] Current page number. Informational only, page numbers start from 1
* @apiParam {Number} [next] Cursor value for next page, retrieved from <code>nextCursor</code> response value
* @apiParam {Number} [previous] Cursor value for previous page, retrieved from <code>previousCursor</code> response value
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {Number} total How many results were found
* @apiSuccess {Number} page Current page number. Derived from <code>page</code> query argument
* @apiSuccess {String} previousCursor Either a cursor string or false if there are not any previous results
* @apiSuccess {String} nextCursor Either a cursor string or false if there are not any next results
* @apiSuccess {Object[]} results Address listing
* @apiSuccess {String} results.id ID of the Address
* @apiSuccess {String} results.address E-mail address string
2017-12-27 19:32:57 +08:00
* @apiSuccess {String} results.user User ID this address belongs to if this is an User address
2017-12-27 21:57:39 +08:00
* @apiSuccess {Boolean} results.forwarded If true then it is a forwarded address
2017-11-28 19:32:59 +08:00
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i http://localhost:8080/addresses
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true,
* "total": 1,
* "page": 1,
* "previousCursor": false,
* "nextCursor": false,
* "results": [
* {
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "user": "59ef21aef255ed1d9d790e7a"
2017-12-27 19:32:57 +08:00
* },
* {
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
2017-12-27 21:58:27 +08:00
* "forwarded": true
2017-11-28 19:32:59 +08:00
* }
* ]
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "Database error"
* }
*/
2017-07-26 16:52:55 +08:00
server.get({ name: 'addresses', path: '/addresses' }, (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
query: Joi.string()
.trim()
.empty('')
.max(255),
limit: Joi.number()
.default(20)
.min(1)
.max(250),
next: Joi.string()
2017-09-04 19:49:04 +08:00
.empty('')
2017-11-27 20:20:57 +08:00
.mongoCursor()
2017-09-04 19:49:04 +08:00
.max(1024),
2017-09-04 20:04:43 +08:00
previous: Joi.string()
2017-09-04 19:49:04 +08:00
.empty('')
2017-11-27 20:20:57 +08:00
.mongoCursor()
2017-09-04 19:49:04 +08:00
.max(1024),
2017-07-26 16:52:55 +08:00
page: Joi.number().default(1)
});
const result = Joi.validate(req.query, schema, {
abortEarly: false,
convert: true,
allowUnknown: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let query = result.value.query;
let limit = result.value.limit;
let page = result.value.page;
let pageNext = result.value.next;
2017-09-04 20:04:43 +08:00
let pagePrevious = result.value.previous;
2017-07-26 16:52:55 +08:00
2018-01-04 18:15:08 +08:00
let filter =
(query && {
address: {
// cannot use dotless version as this would break domain search
$regex: query.replace(/[-/\\^$*+?.()|[\]{}]/g, '\\$&'),
$options: ''
}
}) ||
{};
2017-07-26 16:52:55 +08:00
db.users.collection('addresses').count(filter, (err, total) => {
if (err) {
res.json({
error: err.message
});
return next();
}
let opts = {
limit,
query: filter,
fields: {
_id: true,
address: true,
2017-12-27 19:32:57 +08:00
user: true,
targets: true
2017-07-26 16:52:55 +08:00
},
2017-09-04 14:49:02 +08:00
paginatedField: 'addrview',
2017-07-26 16:52:55 +08:00
sortAscending: true
};
if (pageNext) {
opts.next = pageNext;
2017-09-04 20:04:43 +08:00
} else if (pagePrevious) {
opts.previous = pagePrevious;
2017-07-26 16:52:55 +08:00
}
MongoPaging.find(db.users.collection('addresses'), opts, (err, result) => {
if (err) {
res.json({
error: err.message
});
return next();
}
if (!result.hasPrevious) {
page = 1;
}
let response = {
success: true,
query,
total,
page,
2017-09-01 19:50:53 +08:00
previousCursor: result.hasPrevious ? result.previous : false,
nextCursor: result.hasNext ? result.next : false,
2017-07-26 16:52:55 +08:00
results: (result.results || []).map(addressData => ({
id: addressData._id.toString(),
address: addressData.address,
2017-12-27 19:32:57 +08:00
user: addressData.user,
2017-12-27 21:57:39 +08:00
forwarded: addressData.targets && true
2017-07-26 16:52:55 +08:00
}))
};
res.json(response);
return next();
});
});
});
2017-11-28 19:32:59 +08:00
/**
* @api {post} /users/:user/addresses Create new Address
* @apiName PostUserAddress
* @apiGroup Addresses
* @apiDescription Add a new email address for an User. Addresses can contain unicode characters.
* Dots in usernames are normalized so no need to create both "firstlast@example.com" and "first.last@example.com"
*
2017-12-28 17:29:39 +08:00
* Special addresses <code>\*@example.com</code> and <code>username@\*</code> catches all emails to these domains or users without a registered destination (requires <code>allowWildcard</code> argument)
2017-12-27 19:32:57 +08:00
*
2017-11-28 19:32:59 +08:00
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} user ID of the User
* @apiParam {String} address E-mail Address
* @apiParam {Boolean} [main=false] Indicates if this is the default address for the User
* @apiParam {Boolean} [allowWildcard=false] If <code>true</code> then address value can be in the form of <code>*@example.com</code>, otherwise using * is not allowed
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {String} id ID of the Address
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
2017-12-01 21:04:32 +08:00
* curl -i -XPOST http://localhost:8080/users/59fc66a03e54454869460e45/addresses \
2017-11-28 19:32:59 +08:00
* -H 'Content-type: application/json' \
* -d '{
* "address": "my.new.address@example.com"
* }'
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
2017-12-01 21:04:32 +08:00
* "success": true,
* "id": "59ef21aef255ed1d9d790e81"
2017-11-28 19:32:59 +08:00
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This user does not exist"
* }
*/
2017-07-26 16:52:55 +08:00
server.post('/users/:user/addresses', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
user: Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
2017-12-01 21:21:44 +08:00
address: [
Joi.string()
.email()
.required(),
Joi.string().regex(/^\w+@\*$/, 'special address')
],
2018-01-11 15:43:31 +08:00
main: Joi.boolean()
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, '']),
allowWildcard: Joi.boolean()
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, ''])
2017-07-26 16:52:55 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let user = new ObjectID(result.value.user);
let main = result.value.main;
2017-12-22 23:16:28 +08:00
let address = tools.normalizeAddress(result.value.address);
2017-07-26 16:52:55 +08:00
if (address.indexOf('+') >= 0) {
res.json({
error: 'Address can not contain +'
});
return next();
}
2017-12-22 23:16:28 +08:00
let wcpos = address.indexOf('*');
2017-11-28 19:32:59 +08:00
2017-12-01 21:04:32 +08:00
if (wcpos >= 0) {
if (!result.value.allowWildcard) {
res.json({
error: 'Address can not contain *'
});
return next();
}
2017-12-22 23:16:28 +08:00
if (/[^@]\*|\*[^@]/.test(result.value) || wcpos !== address.lastIndexOf('*')) {
2017-12-01 21:04:32 +08:00
res.json({
error: 'Invalid wildcard address, use "*@domain" or "user@*"'
});
return next();
}
if (main) {
res.json({
error: 'Main address can not contain *'
});
return next();
}
2017-11-28 19:57:38 +08:00
}
2017-11-27 20:20:57 +08:00
db.users.collection('users').findOne(
{
_id: user
},
{
fields: {
address: true
}
},
(err, userData) => {
2017-07-26 16:52:55 +08:00
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
if (!userData) {
2017-07-26 16:52:55 +08:00
res.json({
error: 'This user does not exist',
code: 'UserNotFound'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
db.users.collection('addresses').findOne(
{
addrview: address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@'))
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
2017-12-22 23:49:47 +08:00
2017-11-27 20:20:57 +08:00
if (addressData) {
res.json({
2017-12-27 19:32:57 +08:00
error: 'This email address already exists',
code: 'AddressExists'
2017-11-27 20:20:57 +08:00
});
return next();
}
// insert alias address to email address registry
db.users.collection('addresses').insertOne(
2017-07-26 16:52:55 +08:00
{
2017-11-27 20:20:57 +08:00
user,
address,
addrview: address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@')),
created: new Date()
2017-07-26 16:52:55 +08:00
},
2017-11-27 20:20:57 +08:00
(err, r) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
2017-07-26 16:52:55 +08:00
}
2017-11-27 20:20:57 +08:00
let insertId = r.insertedId;
let done = () => {
// ignore potential user update error
res.json({
success: !!insertId,
id: insertId
});
return next();
};
if (!userData.address || main) {
// register this address as the default address for that user
return db.users.collection('users').findOneAndUpdate(
{
_id: user
},
{
$set: {
address
}
},
{},
done
);
}
done();
}
2017-07-26 16:52:55 +08:00
);
}
2017-11-27 20:20:57 +08:00
);
}
);
2017-07-26 16:52:55 +08:00
});
2017-11-28 19:32:59 +08:00
/**
* @api {get} /users/:user/addresses List registered Addresses for an User
* @apiName GetUserAddresses
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} user ID of the User
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {Object[]} results Address listing
* @apiSuccess {String} results.id ID of the Address
* @apiSuccess {String} results.address E-mail address string
* @apiSuccess {Boolean} results.main Indicates if this is the default address for the User
* @apiSuccess {String} results.created Datestring of the time the address was created
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i http://localhost:8080/users/59ef21aef255ed1d9d790e7a/addresses
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true,
* "total": 1,
* "page": 1,
* "previousCursor": false,
* "nextCursor": false,
* "results": [
* {
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "main": true,
* "created": "2017-10-24T11:19:10.911Z"
* }
* ]
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This user does not exist"
* }
*/
2017-07-26 16:52:55 +08:00
server.get('/users/:user/addresses', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
user: Joi.string()
.hex()
.lowercase()
.length(24)
.required()
2017-07-26 16:52:55 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let user = new ObjectID(result.value.user);
2017-11-27 20:20:57 +08:00
db.users.collection('users').findOne(
{
_id: user
},
{
fields: {
address: true
}
},
(err, userData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (!userData) {
res.json({
error: 'This user does not exist',
code: 'UserNotFound'
2017-11-27 20:20:57 +08:00
});
return next();
}
db.users
.collection('addresses')
.find({
user
})
.sort({
addrview: 1
})
.toArray((err, addresses) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (!addresses) {
addresses = [];
}
2017-07-26 16:52:55 +08:00
res.json({
2017-11-27 20:20:57 +08:00
success: true,
results: addresses.map(address => ({
id: address._id,
address: address.address,
main: address.address === userData.address,
created: address.created
}))
2017-07-26 16:52:55 +08:00
});
2017-11-27 20:20:57 +08:00
return next();
2017-07-26 16:52:55 +08:00
});
2017-11-27 20:20:57 +08:00
}
);
2017-07-26 16:52:55 +08:00
});
2017-11-28 19:32:59 +08:00
/**
* @api {get} /users/:user/addresses/:address Request Addresses information
* @apiName GetUserAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} user ID of the User
* @apiParam {String} address ID of the Address
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {String} id ID of the Address
* @apiSuccess {String} address E-mail address string
* @apiSuccess {Boolean} main Indicates if this is the default address for the User
* @apiSuccess {String} created Datestring of the time the address was created
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i http://localhost:8080/users/59ef21aef255ed1d9d790e7a/addresses/59ef21aef255ed1d9d790e81
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true,
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "main": true,
* "created": "2017-10-24T11:19:10.911Z"
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This user does not exist"
* }
*/
2017-07-26 16:52:55 +08:00
server.get('/users/:user/addresses/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
user: Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
address: Joi.string()
.hex()
.lowercase()
.length(24)
.required()
2017-07-26 16:52:55 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let user = new ObjectID(result.value.user);
let address = new ObjectID(result.value.address);
2017-11-27 20:20:57 +08:00
db.users.collection('users').findOne(
{
_id: user
},
{
fields: {
address: true
}
},
(err, userData) => {
2017-07-26 16:52:55 +08:00
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
if (!userData) {
2017-07-26 16:52:55 +08:00
res.json({
error: 'This user does not exist',
code: 'UserNotFound'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
db.users.collection('addresses').findOne(
{
_id: address,
user
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (!addressData) {
res.status(404);
res.json({
2017-12-27 19:32:57 +08:00
error: 'Invalid or unknown address',
code: 'AddressNotFound'
2017-11-27 20:20:57 +08:00
});
return next();
}
2017-07-26 16:52:55 +08:00
2017-11-27 20:20:57 +08:00
res.json({
success: true,
id: addressData._id,
address: addressData.address,
main: addressData.address === userData.address,
created: addressData.created
});
return next();
}
);
}
);
2017-07-26 16:52:55 +08:00
});
2017-11-28 19:32:59 +08:00
/**
* @api {put} /users/:user/addresses/:address Update Address information
* @apiName PutUserAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} user ID of the User
2017-12-27 19:32:57 +08:00
* @apiParam {String} address ID of the Address
2017-11-28 19:32:59 +08:00
* @apiParam {Boolean} main Indicates if this is the default address for the User
*
* @apiSuccess {Boolean} success Indicates successful response
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i -XPUT http://localhost:8080/users/59fc66a03e54454869460e45/addresses/5a1d4541153888cdcd62a71b \
* -H 'Content-type: application/json' \
* -d '{
* "main": true
* }'
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This user does not exist"
* }
*/
2017-07-26 16:52:55 +08:00
server.put('/users/:user/addresses/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
user: Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
address: Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
main: Joi.boolean()
2018-01-11 15:43:31 +08:00
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, ''])
2017-09-01 19:50:53 +08:00
.required()
2017-07-26 16:52:55 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let user = new ObjectID(result.value.user);
let address = new ObjectID(result.value.address);
let main = result.value.main;
if (!main) {
res.json({
error: 'Cannot unset main status'
});
return next();
}
2017-11-27 20:20:57 +08:00
db.users.collection('users').findOne(
{
_id: user
},
{
fields: {
address: true
}
},
(err, userData) => {
2017-07-26 16:52:55 +08:00
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
if (!userData) {
2017-07-26 16:52:55 +08:00
res.json({
error: 'This user does not exist',
code: 'UserNotFound'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
db.users.collection('addresses').findOne(
{
_id: address
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
2017-12-27 19:32:57 +08:00
if (!addressData || !addressData.user || addressData.user.toString() !== user.toString()) {
2017-11-27 20:20:57 +08:00
res.status(404);
res.json({
2017-12-27 19:32:57 +08:00
error: 'Invalid or unknown email address identifier',
code: 'AddressNotFound'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (addressData.address === userData.address) {
res.json({
error: 'Selected address is already the main email address for the user'
});
return next();
}
2017-11-28 19:57:38 +08:00
if (addressData.address.indexOf('*') >= 0 && main) {
res.json({
error: 'Can not set wildcard address as default'
});
return next();
}
2017-11-27 20:20:57 +08:00
// insert alias address to email address registry
db.users.collection('users').findOneAndUpdate(
{
_id: user
},
{
$set: {
address: addressData.address
}
},
{
returnOriginal: false
},
(err, r) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
2017-07-26 16:52:55 +08:00
2017-11-27 20:20:57 +08:00
res.json({
success: !!r.value
});
return next();
}
);
2017-07-26 16:52:55 +08:00
}
2017-11-27 20:20:57 +08:00
);
}
);
2017-07-26 16:52:55 +08:00
});
2017-11-28 19:32:59 +08:00
/**
* @api {delete} /users/:user/addresses/:address Delete an Address
* @apiName DeleteUserAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} user ID of the User
* @apiParam {String} address ID of the Address
*
* @apiSuccess {Boolean} success Indicates successful response
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i -XDELETE http://localhost:8080/users/59ef21aef255ed1d9d790e7a/addresses/59ef21aef255ed1d9d790e81
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "Trying to delete main address. Set a new main address first"
* }
*/
2017-07-26 16:52:55 +08:00
server.del('/users/:user/addresses/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
2017-09-01 19:50:53 +08:00
user: Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
address: Joi.string()
.hex()
.lowercase()
.length(24)
.required()
2017-07-26 16:52:55 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
2017-12-21 16:31:34 +08:00
error: result.error.message,
code: 'InputValidationError'
2017-07-26 16:52:55 +08:00
});
return next();
}
let user = new ObjectID(result.value.user);
let address = new ObjectID(result.value.address);
2017-11-27 20:20:57 +08:00
db.users.collection('users').findOne(
{
_id: user
},
{
fields: {
address: true
}
},
(err, userData) => {
2017-07-26 16:52:55 +08:00
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
if (!userData) {
2017-07-26 16:52:55 +08:00
res.json({
error: 'This user does not exist',
code: 'UserNotFound'
2017-07-26 16:52:55 +08:00
});
return next();
}
2017-11-27 20:20:57 +08:00
db.users.collection('addresses').findOne(
{
_id: address
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (!addressData || addressData.user.toString() !== user.toString()) {
res.status(404);
res.json({
2017-12-27 19:32:57 +08:00
error: 'Invalid or unknown email address identifier',
code: 'AddressNotFound'
2017-11-27 20:20:57 +08:00
});
return next();
}
if (addressData.address === userData.address) {
res.json({
error: 'Trying to delete main address. Set a new main address first'
});
return next();
}
// delete address from email address registry
db.users.collection('addresses').deleteOne(
{
_id: address
},
(err, r) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
2017-11-27 20:20:57 +08:00
});
return next();
}
2017-07-26 16:52:55 +08:00
2017-11-27 20:20:57 +08:00
res.json({
success: !!r.deletedCount
});
return next();
}
);
2017-07-26 16:52:55 +08:00
}
2017-11-27 20:20:57 +08:00
);
}
);
2017-07-26 16:52:55 +08:00
});
2017-12-27 19:32:57 +08:00
/**
* @api {post} /addresses/forwarded Create new forwarded Address
* @apiName PostForwardedAddress
* @apiGroup Addresses
* @apiDescription Add a new forwarded email address. Addresses can contain unicode characters.
* Dots in usernames are normalized so no need to create both "firstlast@example.com" and "first.last@example.com"
*
2017-12-28 17:29:39 +08:00
* Special addresses <code>\*@example.com</code> and <code>username@\*</code> catches all emails to these domains or users without a registered destination (requires <code>allowWildcard</code> argument)
2017-12-27 19:32:57 +08:00
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} address E-mail Address
2018-01-09 20:18:48 +08:00
* @apiParam {String[]} [targets] An array of forwarding targets. The value could either be an email address or a relay url to next MX server ("smtp://mx2.zone.eu:25")
2017-12-27 21:05:18 +08:00
* @apiParam {Number} [forwards] Daily allowed forwarding count for this address
2017-12-27 19:32:57 +08:00
* @apiParam {Boolean} [allowWildcard=false] If <code>true</code> then address value can be in the form of <code>*@example.com</code>, otherwise using * is not allowed
2018-01-04 18:03:25 +08:00
* @apiParam {Object} [autoreply] Autoreply information
2018-01-09 19:50:29 +08:00
* @apiParam {Boolean} [autoreply.status] If true, then autoreply is enabled for this address
2018-01-05 23:30:46 +08:00
* @apiParam {String} [autoreply.start] Either a date string or boolean false to disable start time checks
* @apiParam {String} [autoreply.end] Either a date string or boolean false to disable end time checks
2018-01-04 18:03:25 +08:00
* @apiParam {String} [autoreply.subject] Autoreply subject line
* @apiParam {String} [autoreply.text] Autoreply plaintext content
* @apiParam {String} [autoreply.html] Autoreply HTML content
2017-12-27 19:32:57 +08:00
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {String} id ID of the Address
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i -XPOST http://localhost:8080/addresses/forwarded \
* -H 'Content-type: application/json' \
* -d '{
* "address": "my.new.address@example.com",
* "targets": [
* "my.old.address@example.com",
* "smtp://mx2.zone.eu:25"
2017-12-27 21:05:18 +08:00
* ],
* "forwards": 500
2017-12-27 19:32:57 +08:00
* }'
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true,
* "id": "59ef21aef255ed1d9d790e81"
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This email address already exists"
* }
*/
server.post('/addresses/forwarded', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
address: [
Joi.string()
.email()
.required(),
Joi.string().regex(/^\w+@\*$/, 'special address')
],
2018-01-09 20:18:48 +08:00
targets: Joi.array().items(
Joi.string().email(),
Joi.string().uri({
scheme: [/smtps?/, /https?/]
})
),
2017-12-27 21:05:18 +08:00
forwards: Joi.number()
.min(0)
.default(0),
2018-01-11 15:43:31 +08:00
allowWildcard: Joi.boolean()
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, '']),
2018-01-04 18:03:25 +08:00
autoreply: Joi.object().keys({
2018-01-09 19:50:29 +08:00
status: Joi.boolean()
2018-01-11 15:43:31 +08:00
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, ''])
2018-01-04 18:03:25 +08:00
.default(true),
2018-01-05 23:30:46 +08:00
start: Joi.date()
.empty('')
.allow(false),
end: Joi.date()
.empty('')
.allow(false),
2018-01-04 18:03:25 +08:00
subject: Joi.string()
.empty('')
.trim()
.max(128),
text: Joi.string()
.empty('')
.trim()
.max(128 * 1024),
html: Joi.string()
.empty('')
.trim()
.max(128 * 1024)
})
2017-12-27 19:32:57 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
error: result.error.message,
code: 'InputValidationError'
});
return next();
}
let address = tools.normalizeAddress(result.value.address);
let addrview = address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@'));
2018-01-09 20:18:48 +08:00
let targets = result.value.targets || [];
2017-12-27 21:05:18 +08:00
let forwards = result.value.forwards;
2017-12-27 19:32:57 +08:00
2018-01-04 18:03:25 +08:00
if (result.value.autoreply) {
if (!result.value.autoreply.subject && 'subject' in req.params.autoreply) {
result.value.autoreply.subject = '';
}
if (!result.value.autoreply.text && 'text' in req.params.autoreply) {
result.value.autoreply.text = '';
if (!result.value.autoreply.html) {
// make sure we also update html part
result.value.autoreply.html = '';
}
}
2018-01-04 18:13:22 +08:00
if (!result.value.autoreply.html && 'html' in req.params.autoreply) {
2018-01-04 18:03:25 +08:00
result.value.autoreply.html = '';
if (!result.value.autoreply.text) {
// make sure we also update plaintext part
result.value.autoreply.text = '';
}
}
} else {
result.value.autoreply = {
2018-01-09 19:50:29 +08:00
status: false
2018-01-04 18:03:25 +08:00
};
}
2017-12-27 19:32:57 +08:00
// needed to resolve users for addresses
let addrlist = [];
let cachedAddrviews = new WeakMap();
for (let i = 0, len = targets.length; i < len; i++) {
let target = targets[i];
if (!/^smtps?:/i.test(target) && !/^https?:/i.test(target) && target.indexOf('@') >= 0) {
// email
let addr = tools.normalizeAddress(target);
let addrv = addr.substr(0, addr.indexOf('@')).replace(/\./g, '') + addr.substr(addr.indexOf('@'));
if (addrv === addrview) {
res.json({
error: 'Can not forward to self "' + target + '"',
code: 'InputValidationError'
});
return next();
}
targets[i] = {
id: new ObjectID(),
type: 'mail',
value: target
};
cachedAddrviews.set(targets[i], addrv);
addrlist.push(addrv);
} else if (/^smtps?:/i.test(target)) {
targets[i] = {
id: new ObjectID(),
type: 'relay',
value: target
};
} else if (/^https?:/i.test(target)) {
targets[i] = {
id: new ObjectID(),
type: 'http',
value: target
};
} else {
res.json({
error: 'Unknown target type "' + target + '"',
code: 'InputValidationError'
});
return next();
}
}
if (address.indexOf('+') >= 0) {
res.json({
error: 'Address can not contain +'
});
return next();
}
let wcpos = address.indexOf('*');
if (wcpos >= 0) {
if (!result.value.allowWildcard) {
res.json({
error: 'Address can not contain *'
});
return next();
}
if (/[^@]\*|\*[^@]/.test(result.value) || wcpos !== address.lastIndexOf('*')) {
res.json({
error: 'Invalid wildcard address, use "*@domain" or "user@*"'
});
return next();
}
}
let resolveUsers = done => {
if (!addrlist.length) {
return done();
}
db.users
.collection('addresses')
.find({
addrview: { $in: addrlist }
})
.toArray((err, addressList) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
let map = new Map(addressList.filter(addr => addr.user).map(addr => [addr.addrview, addr.user]));
targets.forEach(target => {
let addrv = cachedAddrviews.get(target);
if (addrv && map.has(addrv)) {
target.user = map.get(addrv);
}
});
done();
});
};
db.users.collection('addresses').findOne(
{
addrview
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
if (addressData) {
res.json({
error: 'This email address already exists',
code: 'AddressExists'
});
return next();
}
resolveUsers(() => {
// insert alias address to email address registry
db.users.collection('addresses').insertOne(
{
address,
addrview: address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@')),
targets,
2017-12-27 21:05:18 +08:00
forwards,
2018-01-04 18:03:25 +08:00
autoreply: result.value.autoreply,
2017-12-27 19:32:57 +08:00
created: new Date()
},
(err, r) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
let insertId = r.insertedId;
res.json({
success: !!insertId,
id: insertId
});
return next();
}
);
});
}
);
});
/**
* @api {put} /addresses/forwarded/:address Update forwarded Address information
* @apiName PutForwardedAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
2018-01-08 22:16:16 +08:00
* @apiParam {String} id ID of the Address
* @apiParam {String} [address] New address. Only affects normal addresses, special addresses that include \* can not be changed
2017-12-27 21:57:39 +08:00
* @apiParam {String[]} [targets] An array of forwarding targets. The value could either be an email address or a relay url to next MX server ("smtp://mx2.zone.eu:25"). If set then overwrites previous targets array
* @apiParam {Number} [forwards] Daily allowed forwarding count for this address
2018-01-04 18:03:25 +08:00
* @apiParam {Object} [autoreply] Autoreply information
2018-01-09 19:50:29 +08:00
* @apiParam {Boolean} [autoreply.status] If true, then autoreply is enabled for this address
2018-01-05 23:30:46 +08:00
* @apiParam {String} [autoreply.start] Either a date string or boolean false to disable start time checks
* @apiParam {String} [autoreply.end] Either a date string or boolean false to disable end time checks
2018-01-04 18:03:25 +08:00
* @apiParam {String} [autoreply.subject] Autoreply subject line
* @apiParam {String} [autoreply.text] Autoreply plaintext content
* @apiParam {String} [autoreply.html] Autoreply HTML content
2017-12-27 19:32:57 +08:00
*
* @apiSuccess {Boolean} success Indicates successful response
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i -XPUT http://localhost:8080/addresses/forwarded/5a1d4541153888cdcd62a71b \
* -H 'Content-type: application/json' \
* -d '{
* "targets": [
* "some.other.address@example.com"
* ]
* }'
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This address does not exist"
* }
*/
2018-01-08 22:16:16 +08:00
server.put('/addresses/forwarded/:id', (req, res, next) => {
2017-12-27 19:32:57 +08:00
res.charSet('utf-8');
const schema = Joi.object().keys({
2018-01-08 22:16:16 +08:00
id: Joi.string()
2017-12-27 19:32:57 +08:00
.hex()
.lowercase()
.length(24)
.required(),
2018-01-08 22:16:16 +08:00
address: Joi.string().email(),
2017-12-27 19:32:57 +08:00
targets: Joi.array()
.items(
Joi.string().email(),
Joi.string().uri({
scheme: [/smtps?/, /https?/]
})
)
2017-12-27 21:05:18 +08:00
.min(1),
2018-01-04 18:03:25 +08:00
forwards: Joi.number().min(0),
autoreply: Joi.object().keys({
2018-01-11 15:43:31 +08:00
status: Joi.boolean()
.truthy(['Y', 'true', 'yes', 'on', 1])
.falsy(['N', 'false', 'no', 'off', 0, '']),
2018-01-05 23:30:46 +08:00
start: Joi.date()
.empty('')
.allow(false),
end: Joi.date()
.empty('')
.allow(false),
2018-01-04 18:03:25 +08:00
subject: Joi.string()
.empty('')
.trim()
.max(128),
text: Joi.string()
.empty('')
.trim()
.max(128 * 1024),
html: Joi.string()
.empty('')
.trim()
.max(128 * 1024)
})
2017-12-27 19:32:57 +08:00
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
error: result.error.message,
code: 'InputValidationError'
});
return next();
}
2018-01-08 22:16:16 +08:00
let id = new ObjectID(result.value.id);
2017-12-27 21:05:18 +08:00
let updates = {};
2018-01-08 22:16:16 +08:00
if (result.value.address) {
2018-01-08 22:27:15 +08:00
let address = tools.normalizeAddress(result.value.address);
let addrview = address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@'));
updates.address = address;
updates.addrview = addrview;
2018-01-08 22:16:16 +08:00
}
2017-12-27 21:05:18 +08:00
if (result.value.forwards) {
updates.forwards = result.value.forwards;
}
2017-12-27 19:32:57 +08:00
2018-01-04 18:03:25 +08:00
if (result.value.autoreply) {
if (!result.value.autoreply.subject && 'subject' in req.params.autoreply) {
result.value.autoreply.subject = '';
}
if (!result.value.autoreply.text && 'text' in req.params.autoreply) {
result.value.autoreply.text = '';
if (!result.value.autoreply.html) {
// make sure we also update html part
result.value.autoreply.html = '';
}
}
2018-01-04 18:13:22 +08:00
if (!result.value.autoreply.html && 'html' in req.params.autoreply) {
2018-01-04 18:03:25 +08:00
result.value.autoreply.html = '';
if (!result.value.autoreply.text) {
// make sure we also update plaintext part
result.value.autoreply.text = '';
}
}
Object.keys(result.value.autoreply).forEach(key => {
updates['autoreply.' + key] = result.value.autoreply[key];
});
}
2017-12-27 19:32:57 +08:00
db.users.collection('addresses').findOne(
{
2018-01-08 22:16:16 +08:00
_id: id
2017-12-27 19:32:57 +08:00
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
if (!addressData || !addressData.targets || addressData.user) {
res.status(404);
res.json({
error: 'Invalid or unknown email address identifier',
code: 'AddressNotFound'
});
return next();
}
2018-01-08 22:16:16 +08:00
if (addressData.address.indexOf('*') >= 0 && result.value.address && result.value.address !== addressData.address) {
res.json({
error: 'Can not change special address',
code: 'ChangeNotAllowed'
});
return next();
}
if (result.value.address && result.value.address.indexOf('*') >= 0 && result.value.address !== addressData.address) {
res.json({
error: 'Can not change special address',
code: 'ChangeNotAllowed'
});
return next();
}
2017-12-27 19:32:57 +08:00
let targets = result.value.targets;
let addrlist = [];
let cachedAddrviews = new WeakMap();
2017-12-27 21:05:18 +08:00
if (targets) {
// needed to resolve users for addresses
for (let i = 0, len = targets.length; i < len; i++) {
let target = targets[i];
if (!/^smtps?:/i.test(target) && !/^https?:/i.test(target) && target.indexOf('@') >= 0) {
// email
let addr = tools.normalizeAddress(target);
let addrv = addr.substr(0, addr.indexOf('@')).replace(/\./g, '') + addr.substr(addr.indexOf('@'));
if (addrv === addressData.addrview) {
res.json({
error: 'Can not forward to self "' + target + '"',
code: 'InputValidationError'
});
return next();
}
targets[i] = {
id: new ObjectID(),
type: 'mail',
value: target
};
cachedAddrviews.set(targets[i], addrv);
addrlist.push(addrv);
} else if (/^smtps?:/i.test(target)) {
targets[i] = {
id: new ObjectID(),
type: 'relay',
value: target
};
} else if (/^https?:/i.test(target)) {
targets[i] = {
id: new ObjectID(),
type: 'http',
value: target
};
} else {
2017-12-27 19:32:57 +08:00
res.json({
2017-12-27 21:05:18 +08:00
error: 'Unknown target type "' + target + '"',
2017-12-27 19:32:57 +08:00
code: 'InputValidationError'
});
return next();
}
}
}
let resolveUsers = done => {
2017-12-27 21:05:18 +08:00
if (!targets || !addrlist.length) {
2017-12-27 19:32:57 +08:00
return done();
}
db.users
.collection('addresses')
.find({
addrview: { $in: addrlist }
})
.toArray((err, addressList) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
let map = new Map(addressList.filter(addr => addr.user).map(addr => [addr.addrview, addr.user]));
targets.forEach(target => {
let addrv = cachedAddrviews.get(target);
if (addrv && map.has(addrv)) {
target.user = map.get(addrv);
}
});
done();
});
};
resolveUsers(() => {
2018-01-05 19:36:43 +08:00
if (targets && targets.length) {
updates.targets = targets;
}
2017-12-27 19:32:57 +08:00
// insert alias address to email address registry
db.users.collection('addresses').findOneAndUpdate(
{
_id: addressData._id
},
{
2017-12-27 21:05:18 +08:00
$set: updates
2017-12-27 19:32:57 +08:00
},
{
returnOriginal: false
},
(err, r) => {
if (err) {
2018-01-08 22:16:16 +08:00
if (err.code === 11000) {
res.json({
error: 'Address already exists',
code: 'AddressExistsError'
});
} else {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
}
2017-12-27 19:32:57 +08:00
return next();
}
res.json({
success: !!r.value
});
return next();
}
);
});
}
);
});
/**
* @api {delete} /addresses/forwarded/:address Delete a forwarded Address
* @apiName DeleteForwardedAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} address ID of the Address
*
* @apiSuccess {Boolean} success Indicates successful response
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i -XDELETE http://localhost:8080/addresses/forwarded/59ef21aef255ed1d9d790e81
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This address does not exist"
* }
*/
server.del('/addresses/forwarded/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
address: Joi.string()
.hex()
.lowercase()
.length(24)
.required()
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
error: result.error.message,
code: 'InputValidationError'
});
return next();
}
let address = new ObjectID(result.value.address);
db.users.collection('addresses').findOne(
{
_id: address
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
if (!addressData || !addressData.targets || addressData.user) {
res.status(404);
res.json({
error: 'Invalid or unknown email address identifier',
code: 'AddressNotFound'
});
return next();
}
// delete address from email address registry
db.users.collection('addresses').deleteOne(
{
_id: address
},
(err, r) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
res.json({
success: !!r.deletedCount
});
return next();
}
);
}
);
});
/**
* @api {get} /addresses/forwarded/:address Request forwarded Addresses information
* @apiName GetForwardedAddress
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} address ID of the Address
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {String} id ID of the Address
* @apiSuccess {String} address E-mail address string
* @apiSuccess {String[]} targets List of forwarding targets
2017-12-27 21:05:18 +08:00
* @apiSuccess {Object} limits Account limits and usage
* @apiSuccess {Object} limits.forwards Forwarding quota
* @apiSuccess {Number} limits.forwards.allowed How many messages per 24 hour can be forwarded
* @apiSuccess {Number} limits.forwards.used How many messages are forwarded during current 24 hour period
* @apiSuccess {Number} limits.forwards.ttl Time until the end of current 24 hour period
2018-01-04 18:03:25 +08:00
* @apiSuccess {Object} autoreply Autoreply information
2018-01-09 19:50:29 +08:00
* @apiSuccess {Boolean} autoreply.status If true, then autoreply is enabled for this address
2018-01-04 18:03:25 +08:00
* @apiSuccess {String} autoreply.subject Autoreply subject line
* @apiSuccess {String} autoreply.text Autoreply plaintext content
* @apiSuccess {String} autoreply.html Autoreply HTML content
2017-12-27 19:32:57 +08:00
* @apiSuccess {String} created Datestring of the time the address was created
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i http://localhost:8080/addresses/forwarded/59ef21aef255ed1d9d790e81
*
* @apiSuccessExample {json} Success-Response:
* HTTP/1.1 200 OK
* {
* "success": true,
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "targets": [
* "my.other.address@example.com"
* ],
2017-12-27 21:05:18 +08:00
* "limits": {
* "forwards": {
* "allowed": 2000,
* "used": 0,
* "ttl": false
* }
* },
2017-12-27 19:32:57 +08:00
* "created": "2017-10-24T11:19:10.911Z"
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This address does not exist"
* }
*/
server.get('/addresses/forwarded/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
address: Joi.string()
.hex()
.lowercase()
.length(24)
.required()
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
error: result.error.message,
code: 'InputValidationError'
});
return next();
}
let address = new ObjectID(result.value.address);
db.users.collection('addresses').findOne(
{
_id: address
},
(err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
if (!addressData || !addressData.targets || addressData.user) {
res.status(404);
res.json({
error: 'Invalid or unknown address',
code: 'AddressNotFound'
});
return next();
}
2017-12-27 21:05:18 +08:00
db.redis
.multi()
// sending counters are stored in Redis
.get('wdf:' + addressData._id.toString())
.ttl('wdf:' + addressData._id.toString())
.exec((err, result) => {
if (err) {
// ignore
}
2017-12-27 19:32:57 +08:00
2017-12-27 21:22:48 +08:00
let forwards = Number(addressData.forwards) || config.maxForwards || consts.MAX_FORWARDS;
2017-12-27 21:05:18 +08:00
let forwardsSent = Number(result && result[0] && result[0][1]) || 0;
let forwardsTtl = Number(result && result[1] && result[1][1]) || 0;
res.json({
success: true,
id: addressData._id,
address: addressData.address,
targets: addressData.targets && addressData.targets.map(t => t.value),
limits: {
forwards: {
allowed: forwards,
used: forwardsSent,
ttl: forwardsTtl >= 0 ? forwardsTtl : false
}
},
2018-01-09 19:50:29 +08:00
autoreply: addressData.autoreply || { status: false },
2017-12-27 21:05:18 +08:00
created: addressData.created
});
return next();
});
2017-12-27 19:32:57 +08:00
}
);
});
2018-01-04 18:03:25 +08:00
/**
* @api {get} /addresses/resolve/:address Get Address info
* @apiName GetAddressInfo
* @apiGroup Addresses
* @apiHeader {String} X-Access-Token Optional access token if authentication is enabled
* @apiHeaderExample {json} Header-Example:
* {
* "X-Access-Token": "59fc66a03e54454869460e45"
* }
*
* @apiParam {String} address ID of the Address or e-mail address string
*
* @apiSuccess {Boolean} success Indicates successful response
* @apiSuccess {String} id ID of the Address
* @apiSuccess {String} address E-mail address string
* @apiSuccess {String} user ID of the user if the address belongs to an User
* @apiSuccess {String[]} targets List of forwarding targets if this is a Forwarded address
* @apiSuccess {Object} limits Account limits and usage for Forwarded address
* @apiSuccess {Object} limits.forwards Forwarding quota
* @apiSuccess {Number} limits.forwards.allowed How many messages per 24 hour can be forwarded
* @apiSuccess {Number} limits.forwards.used How many messages are forwarded during current 24 hour period
* @apiSuccess {Number} limits.forwards.ttl Time until the end of current 24 hour period
* @apiSuccess {Object} autoreply Autoreply information
2018-01-09 19:50:29 +08:00
* @apiSuccess {Boolean} autoreply.status If true, then autoreply is enabled for this address
2018-01-04 18:03:25 +08:00
* @apiSuccess {String} autoreply.subject Autoreply subject line
* @apiSuccess {String} autoreply.text Autoreply plaintext content
* @apiSuccess {String} autoreply.html Autoreply HTML content
* @apiSuccess {String} created Datestring of the time the address was created
*
* @apiError error Description of the error
*
* @apiExample {curl} Example usage:
* curl -i http://localhost:8080/addresses/resolve/k%C3%A4ru%40j%C3%B5geva.ee
*
* @apiSuccessExample {json} User-Address:
* HTTP/1.1 200 OK
* {
* "success": true,
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "user": "59ef21aef255ed1d9d771bb"
* "created": "2017-10-24T11:19:10.911Z"
* }
*
* @apiSuccessExample {json} Forwarded-Address:
* HTTP/1.1 200 OK
* {
* "success": true,
* "id": "59ef21aef255ed1d9d790e81",
* "address": "user@example.com",
* "targets": [
* "my.other.address@example.com"
* ],
* "limits": {
* "forwards": {
* "allowed": 2000,
* "used": 0,
* "ttl": false
* }
* },
* "autoreply": {
2018-01-09 19:50:29 +08:00
* "status": false
2018-01-04 18:03:25 +08:00
* },
* "created": "2017-10-24T11:19:10.911Z"
* }
*
* @apiErrorExample {json} Error-Response:
* HTTP/1.1 200 OK
* {
* "error": "This address does not exist"
* }
*/
server.get('/addresses/resolve/:address', (req, res, next) => {
res.charSet('utf-8');
const schema = Joi.object().keys({
address: [
Joi.string()
.hex()
.lowercase()
.length(24)
.required(),
Joi.string().email()
]
});
const result = Joi.validate(req.params, schema, {
abortEarly: false,
convert: true
});
if (result.error) {
res.json({
error: result.error.message,
code: 'InputValidationError'
});
return next();
}
let query = {};
if (result.value.address.indexOf('@') >= 0) {
let address = tools.normalizeAddress(result.value.address);
query = {
addrview: address.substr(0, address.indexOf('@')).replace(/\./g, '') + address.substr(address.indexOf('@'))
};
} else {
let address = new ObjectID(result.value.address);
query = {
_id: address
};
}
db.users.collection('addresses').findOne(query, (err, addressData) => {
if (err) {
res.json({
error: 'MongoDB Error: ' + err.message,
code: 'InternalDatabaseError'
});
return next();
}
if (!addressData) {
res.status(404);
res.json({
error: 'Invalid or unknown address',
code: 'AddressNotFound'
});
return next();
}
if (addressData.user) {
res.json({
success: true,
id: addressData._id,
address: addressData.address,
user: addressData.user,
created: addressData.created
});
return next();
}
db.redis
.multi()
// sending counters are stored in Redis
.get('wdf:' + addressData._id.toString())
.ttl('wdf:' + addressData._id.toString())
.exec((err, result) => {
if (err) {
// ignore
}
let forwards = Number(addressData.forwards) || config.maxForwards || consts.MAX_FORWARDS;
let forwardsSent = Number(result && result[0] && result[0][1]) || 0;
let forwardsTtl = Number(result && result[1] && result[1][1]) || 0;
res.json({
success: true,
id: addressData._id,
address: addressData.address,
targets: addressData.targets && addressData.targets.map(t => t.value),
limits: {
forwards: {
allowed: forwards,
used: forwardsSent,
ttl: forwardsTtl >= 0 ? forwardsTtl : false
}
},
2018-01-09 19:50:29 +08:00
autoreply: addressData.autoreply || { status: false },
2018-01-04 18:03:25 +08:00
created: addressData.created
});
return next();
});
});
});
2017-07-26 16:52:55 +08:00
};