1
0
mirror of https://github.com/eleith/emailjs.git synced 2024-07-03 11:38:50 +00:00
emailjs/smtp/smtp.ts

911 lines
21 KiB
TypeScript
Raw Normal View History

import { Socket } from 'net';
import { createHmac } from 'crypto';
import { hostname } from 'os';
import { connect, createSecureContext, TLSSocket } from 'tls';
import { EventEmitter } from 'events';
2020-04-23 04:26:49 +00:00
import { SMTPResponse } from './response';
2020-04-21 03:20:06 +00:00
import { makeSMTPError, SMTPErrorStates } from './error';
2020-04-23 04:26:49 +00:00
/* eslint-disable no-unused-vars */
/**
* @readonly
* @enum
*/
export enum AUTH_METHODS {
PLAIN = 'PLAIN',
CRAM_MD5 = 'CRAM-MD5',
LOGIN = 'LOGIN',
XOAUTH2 = 'XOAUTH2',
}
/**
* @readonly
* @enum
*/
export enum SMTPState {
NOTCONNECTED = 0,
CONNECTING = 1,
CONNECTED = 2,
}
/* eslint-enable no-unused-vars */
2018-07-06 20:35:06 +00:00
/**
* @readonly
* @type {5000}
*/
2020-04-23 04:26:49 +00:00
export const DEFAULT_TIMEOUT: 5000 = 5000;
2018-07-06 20:35:06 +00:00
/**
* @readonly
* @type {25}
*/
const SMTP_PORT: 25 = 25;
/**
* @readonly
* @type {465}
*/
const SMTP_SSL_PORT: 465 = 465;
/**
* @readonly
* @type {587}
*/
const SMTP_TLS_PORT: 587 = 587;
/**
* @readonly
* @type {'\r\n'}
*/
const CRLF: '\r\n' = '\r\n';
2018-07-06 20:34:48 +00:00
/**
* @type {0 | 1}
*/
let DEBUG: 0 | 1 = 0;
/**
2018-07-12 16:46:37 +00:00
* @param {...any} args the message(s) to log
* @returns {void}
*/
const log = (...args: any[]): void => {
2018-07-06 20:34:48 +00:00
if (DEBUG === 1) {
2020-04-23 04:26:49 +00:00
args.forEach((d) =>
2018-07-12 16:46:37 +00:00
console.log(
typeof d === 'object'
? d instanceof Error
? d.message
: JSON.stringify(d)
: d
)
);
2018-05-27 04:25:08 +00:00
}
2011-02-23 21:23:37 +00:00
};
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback the function to call
* @param {...*} args the arguments to apply to the function
* @returns {void}
*/
2020-04-21 03:20:06 +00:00
const caller = (callback?: (...rest: any[]) => void, ...args: any[]): void => {
if (typeof callback === 'function') {
2018-05-27 04:25:08 +00:00
callback.apply(null, args);
}
2011-02-23 21:23:37 +00:00
};
export interface SMTPSocketOptions {
key: string;
ca: string;
cert: string;
}
export interface SMTPOptions {
2020-04-21 03:20:06 +00:00
timeout: number | null;
user: string;
password: string;
domain: string;
host: string;
port: number;
ssl: boolean | SMTPSocketOptions;
tls: boolean | SMTPSocketOptions;
authentication: string[];
logger: (...args: any[]) => void;
}
export interface ConnectOptions {
ssl?: boolean;
}
export class SMTP extends EventEmitter {
private _state: 0 | 1 | 2 = SMTPState.NOTCONNECTED;
private _isAuthorized = false;
private _isSecure = false;
2020-04-21 03:20:06 +00:00
private _user?: string = '';
private _password?: string = '';
2020-04-23 04:26:49 +00:00
private _timeout: number = DEFAULT_TIMEOUT;
public set debug(level: 0 | 1) {
DEBUG = level;
}
public get state() {
return this._state;
}
2020-04-21 03:20:06 +00:00
public get timeout() {
return this._timeout;
}
public get user() {
return this._user;
}
public get password() {
return this._password;
}
public get isAuthorized() {
return this._isAuthorized;
}
protected sock: Socket | TLSSocket | null = null;
2020-04-23 04:26:49 +00:00
protected features: import('@ledge/types').Indexed<string | boolean> = {};
protected monitor: SMTPResponse | null = null;
protected authentication: any[];
protected domain = hostname();
protected host = 'localhost';
protected ssl: boolean | SMTPSocketOptions = false;
protected tls: boolean | SMTPSocketOptions = false;
protected port: any;
protected log = log;
/**
2018-07-12 17:03:00 +00:00
* SMTP class written using python's (2.7) smtplib.py as a base
*/
2018-07-06 17:43:46 +00:00
constructor({
timeout,
host,
user,
password,
domain,
port,
ssl,
tls,
2018-07-12 16:46:37 +00:00
logger,
2018-07-06 17:43:46 +00:00
authentication,
}: Partial<SMTPOptions> = {}) {
super();
this._user = user;
this._password = password;
2018-07-06 17:43:46 +00:00
this.authentication = Array.isArray(authentication)
? authentication
: [
2020-04-23 04:26:49 +00:00
AUTH_METHODS.CRAM_MD5,
AUTH_METHODS.LOGIN,
AUTH_METHODS.PLAIN,
AUTH_METHODS.XOAUTH2,
];
if (typeof timeout === 'number') {
2020-04-21 03:20:06 +00:00
this._timeout = timeout;
}
if (typeof domain === 'string') {
this.domain = domain;
}
if (typeof host === 'string') {
this.host = host;
}
if (typeof logger === 'function') {
this.log = log;
}
2018-07-12 16:46:37 +00:00
2020-04-23 04:26:49 +00:00
if (
ssl != null &&
(typeof ssl === 'boolean' ||
(typeof ssl === 'object' && Array.isArray(ssl) === false))
) {
this.ssl = ssl;
}
2020-04-23 04:26:49 +00:00
if (
tls != null &&
(typeof tls === 'boolean' ||
(typeof tls === 'object' && Array.isArray(tls) === false))
) {
this.tls = tls;
}
if (!port) {
2020-04-23 04:26:49 +00:00
this.port = this.ssl
? SMTP_SSL_PORT
: this.tls
? SMTP_TLS_PORT
: SMTP_PORT;
}
this._isAuthorized = user && password ? false : true;
2018-05-27 04:25:08 +00:00
}
/**
2018-06-28 02:57:53 +00:00
* @typedef {Object} ConnectOptions
* @property {boolean} [ssl]
*
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {number} [port] the port to use for the connection
* @param {string} [host] the hostname to use for the connection
2018-06-28 02:57:53 +00:00
* @param {ConnectOptions} [options={}] the options
* @returns {void}
*/
2020-04-23 04:26:49 +00:00
connect(
callback: (...rest: any[]) => void,
port: number = this.port,
host: string = this.host,
options: ConnectOptions = {}
): void {
this.port = port;
this.host = host;
2018-05-27 04:25:08 +00:00
this.ssl = options.ssl || this.ssl;
if (this._state !== SMTPState.NOTCONNECTED) {
2020-04-23 04:26:49 +00:00
this.quit(() => this.connect(callback, port, host, options));
2018-05-27 04:25:08 +00:00
}
2018-06-29 03:25:10 +00:00
/**
* @returns {void}
*/
const connected = (): void => {
2018-07-12 16:46:37 +00:00
this.log(`connected: ${this.host}:${this.port}`);
2018-06-29 03:25:10 +00:00
if (this.ssl && !this.tls) {
// if key/ca/cert was passed in, check if connection is authorized
if (
typeof this.ssl !== 'boolean' &&
this.sock instanceof TLSSocket &&
!this.sock.authorized
) {
this.close(true);
caller(
callback,
makeSMTPError(
2018-06-29 03:25:10 +00:00
'could not establish an ssl connection',
SMTPErrorStates.CONNECTIONAUTH
2018-06-29 03:25:10 +00:00
)
);
} else {
this._isSecure = true;
2018-05-27 04:25:08 +00:00
}
2018-06-29 03:25:10 +00:00
}
};
/**
* @param {Error} err err
* @returns {void}
*/
const connectedErrBack = (err: Error): void => {
2018-06-29 03:25:10 +00:00
if (!err) {
connected();
2018-05-27 04:25:08 +00:00
} else {
this.close(true);
2018-07-12 16:46:37 +00:00
this.log(err);
2018-05-27 04:25:08 +00:00
caller(
callback,
2020-04-23 04:26:49 +00:00
makeSMTPError(
'could not connect',
SMTPErrorStates.COULDNOTCONNECT,
err
)
2018-05-27 04:25:08 +00:00
);
}
};
2020-04-23 04:26:49 +00:00
const response = (
err: Error,
msg: { code: string | number; data: string }
) => {
2018-05-27 04:25:08 +00:00
if (err) {
if (this._state === SMTPState.NOTCONNECTED && !this.sock) {
return;
}
this.close(true);
caller(callback, err);
} else if (msg.code == '220') {
2018-07-12 16:46:37 +00:00
this.log(msg.data);
2018-05-27 04:25:08 +00:00
// might happen first, so no need to wait on connected()
this._state = SMTPState.CONNECTED;
caller(callback, null, msg.data);
} else {
2018-07-12 16:46:37 +00:00
this.log(`response (data): ${msg.data}`);
2018-05-27 04:25:08 +00:00
this.quit(() => {
2018-06-28 02:57:53 +00:00
caller(
callback,
makeSMTPError(
2018-06-28 02:57:53 +00:00
'bad response on connection',
SMTPErrorStates.BADRESPONSE,
2018-06-28 02:57:53 +00:00
err,
msg.data
)
2018-05-27 04:25:08 +00:00
);
});
}
};
this._state = SMTPState.CONNECTING;
2018-07-12 16:46:37 +00:00
this.log(`connecting: ${this.host}:${this.port}`);
2018-05-27 04:25:08 +00:00
if (this.ssl) {
this.sock = connect(
2018-06-04 16:40:23 +00:00
this.port,
this.host,
2018-07-06 18:18:29 +00:00
typeof this.ssl === 'object' ? this.ssl : {},
2018-06-04 16:40:23 +00:00
connected
);
2018-05-27 04:25:08 +00:00
} else {
this.sock = new Socket();
2020-04-23 04:26:49 +00:00
this.sock.connect(this.port, this.host, connectedErrBack);
2018-05-27 04:25:08 +00:00
}
2020-04-23 04:26:49 +00:00
this.monitor = new SMTPResponse(this.sock, this._timeout, () =>
2018-05-27 04:25:08 +00:00
this.close(true)
);
this.sock.once('response', response);
this.sock.once('error', response); // the socket could reset or throw, so let's handle it and let the user know
}
/**
* @param {string} str the string to send
* @param {*} callback function to call after response
* @returns {void}
*/
send(str: string, callback: any): void {
if (this.sock && this._state === SMTPState.CONNECTED) {
2018-07-12 16:46:37 +00:00
this.log(str);
2018-05-27 04:25:08 +00:00
this.sock.once('response', (err, msg) => {
if (err) {
caller(callback, err);
} else {
2018-07-12 16:46:37 +00:00
this.log(msg.data);
2018-05-27 04:25:08 +00:00
caller(callback, null, msg);
}
});
this.sock.write(str);
} else {
this.close(true);
caller(
callback,
2020-04-23 04:26:49 +00:00
makeSMTPError(
'no connection has been established',
SMTPErrorStates.NOCONNECTION
)
2018-05-27 04:25:08 +00:00
);
}
}
/**
* @param {string} cmd command to issue
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {(number[] | number)} [codes=[250]] array codes
* @returns {void}
*/
2020-04-23 04:26:49 +00:00
command(
cmd: string,
callback: (...rest: any[]) => void,
codes: number[] | number = [250]
): void {
2018-06-28 02:57:53 +00:00
const codesArray = Array.isArray(codes)
2018-05-27 04:25:08 +00:00
? codes
: typeof codes === 'number'
2020-04-23 04:26:49 +00:00
? [codes]
: [250];
2018-05-27 04:25:08 +00:00
2020-04-23 04:26:49 +00:00
const response = (
err: Error,
msg: { code: string | number; data: string; message: string }
) => {
2018-05-27 04:25:08 +00:00
if (err) {
caller(callback, err);
} else {
2018-06-28 02:57:53 +00:00
if (codesArray.indexOf(Number(msg.code)) !== -1) {
2018-05-27 04:25:08 +00:00
caller(callback, err, msg.data, msg.message);
} else {
const suffix = msg.message ? `: ${msg.message}` : '';
2018-05-27 04:25:08 +00:00
const errorMessage = `bad response on command '${
cmd.split(' ')[0]
2020-04-23 04:26:49 +00:00
}'${suffix}`;
2018-05-27 04:25:08 +00:00
caller(
callback,
2020-04-23 04:26:49 +00:00
makeSMTPError(
errorMessage,
SMTPErrorStates.BADRESPONSE,
undefined,
msg.data
)
2018-05-27 04:25:08 +00:00
);
}
}
};
2018-05-27 04:25:08 +00:00
this.send(cmd + CRLF, response);
}
/**
* SMTP 'helo' command.
*
* Hostname to send for self command defaults to the FQDN of the local
* host.
*
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} domain the domain to associate with the 'helo' request
* @returns {void}
*/
2020-04-21 03:20:06 +00:00
helo(callback: (...rest: any[]) => void, domain?: string): void {
2018-05-27 04:25:08 +00:00
this.command(`helo ${domain || this.domain}`, (err, data) => {
if (err) {
caller(callback, err);
} else {
this.parse_smtp_features(data);
caller(callback, err, data);
}
});
2018-05-27 04:25:08 +00:00
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
starttls(callback: (...rest: any[]) => void): void {
2020-04-21 03:20:06 +00:00
const response = (err: Error, msg: { data: any }) => {
if (this.sock == null) {
throw new Error('null socket');
}
2018-05-27 04:25:08 +00:00
if (err) {
err.message += ' while establishing a starttls session';
caller(callback, err);
} else {
2018-07-06 18:18:29 +00:00
const secureContext = createSecureContext(
typeof this.tls === 'object' ? this.tls : {}
);
2018-06-26 05:07:40 +00:00
const secureSocket = new TLSSocket(this.sock, { secureContext });
2018-05-27 04:25:08 +00:00
2020-04-21 03:20:06 +00:00
secureSocket.on('error', (err: Error) => {
2018-06-26 05:07:40 +00:00
this.close(true);
caller(callback, err);
});
2018-05-27 04:25:08 +00:00
this._isSecure = true;
2018-06-26 05:07:40 +00:00
this.sock = secureSocket;
2020-04-23 04:26:49 +00:00
new SMTPResponse(this.sock, this._timeout, () => this.close(true));
2018-06-26 05:07:40 +00:00
caller(callback, msg.data);
2018-05-27 04:25:08 +00:00
}
};
this.command('starttls', response, [220]);
}
/**
* @param {string} data the string to parse for features
* @returns {void}
*/
parse_smtp_features(data: string): void {
2018-05-27 04:25:08 +00:00
// According to RFC1869 some (badly written)
// MTA's will disconnect on an ehlo. Toss an exception if
// that happens -ddm
2020-04-23 04:26:49 +00:00
data.split('\n').forEach((ext) => {
2018-05-27 04:25:08 +00:00
const parse = ext.match(/^(?:\d+[-=]?)\s*?([^\s]+)(?:\s+(.*)\s*?)?$/);
// To be able to communicate with as many SMTP servers as possible,
// we have to take the old-style auth advertisement into account,
// because:
// 1) Else our SMTP feature parser gets confused.
// 2) There are some servers that only advertise the auth methods we
// support using the old style.
if (parse != null) {
2018-05-27 04:25:08 +00:00
// RFC 1869 requires a space between ehlo keyword and parameters.
// It's actually stricter, in that only spaces are allowed between
// parameters, but were not going to check for that here. Note
// that the space isn't present if there are no parameters.
this.features[parse[1].toLowerCase()] = parse[2] || true;
}
});
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} domain the domain to associate with the 'ehlo' request
* @returns {void}
*/
2020-04-21 03:20:06 +00:00
ehlo(callback: (...rest: any[]) => void, domain?: string): void {
2018-05-27 04:25:08 +00:00
this.features = {};
this.command(`ehlo ${domain || this.domain}`, (err, data) => {
if (err) {
caller(callback, err);
} else {
this.parse_smtp_features(data);
if (this.tls && !this._isSecure) {
this.starttls(() => this.ehlo(callback, domain));
} else {
caller(callback, err, data);
}
}
});
2018-05-27 04:25:08 +00:00
}
/**
* @param {string} opt the features keyname to check
* @returns {boolean} whether the extension exists
*/
has_extn(opt: string): boolean {
2018-05-27 04:25:08 +00:00
return this.features[opt.toLowerCase()] === undefined;
}
/**
* SMTP 'help' command, returns text from the server
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} domain the domain to associate with the 'help' request
* @returns {void}
*/
help(callback: (...rest: any[]) => void, domain: string): void {
this.command(domain ? `help ${domain}` : 'help', callback, [211, 214]);
2018-05-27 04:25:08 +00:00
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
rset(callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command('rset', callback);
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
noop(callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.send('noop', callback);
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} from the sender
* @returns {void}
*/
mail(callback: (...rest: any[]) => void, from: string): void {
2018-05-27 04:25:08 +00:00
this.command(`mail FROM:${from}`, callback);
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} to the receiver
* @returns {void}
*/
rcpt(callback: (...rest: any[]) => void, to: string): void {
2018-05-27 04:25:08 +00:00
this.command(`RCPT TO:${to}`, callback, [250, 251]);
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
data(callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command('data', callback, [354]);
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
data_end(callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command(`${CRLF}.`, callback);
}
/**
* @param {string} data the message to send
* @returns {void}
*/
message(data: string): void {
2018-07-12 16:46:37 +00:00
this.log(data);
2020-04-21 03:20:06 +00:00
this.sock?.write(data) ?? this.log('no socket to write to');
2018-05-27 04:25:08 +00:00
}
/**
* SMTP 'verify' command -- checks for address validity.
*
* @param {string} address the address to validate
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
verify(address: string, callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command(`vrfy ${address}`, callback, [250, 251, 252]);
}
/**
* SMTP 'expn' command -- expands a mailing list.
*
* @param {string} address the mailing list to expand
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @returns {void}
*/
expn(address: string, callback: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command(`expn ${address}`, callback);
}
/**
* Calls this.ehlo() and, if an error occurs, this.helo().
*
* If there has been no previous EHLO or HELO command self session, self
* method tries ESMTP EHLO first.
*
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} [domain] the domain to associate with the command
* @returns {void}
*/
2020-04-23 04:26:49 +00:00
ehlo_or_helo_if_needed(
callback: (...rest: any[]) => void,
domain?: string
): void {
// is this code callable...?
2020-04-21 03:20:06 +00:00
if (Object.keys(this.features).length === 0) {
const response = (err: Error, data: any) => caller(callback, err, data);
2018-05-27 04:25:08 +00:00
this.ehlo((err, data) => {
if (err) {
this.helo(response, domain);
} else {
caller(callback, err, data);
}
2018-05-27 04:25:08 +00:00
}, domain);
}
}
/**
* Log in on an SMTP server that requires authentication.
*
* If there has been no previous EHLO or HELO command self session, self
* method tries ESMTP EHLO first.
*
* This method will return normally if the authentication was successful.
*
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} callback function to call after response
* @param {string} [user] the username to authenticate with
* @param {string} [password] the password for the authentication
* @param {{ method: string, domain: string }} [options] login options
* @returns {void}
*/
2020-04-23 04:26:49 +00:00
login(
callback: (...rest: any[]) => void,
user = '',
password = '',
options: { method?: string; domain?: string } = {}
): void {
2018-05-27 04:25:08 +00:00
const login = {
2020-04-21 03:20:06 +00:00
user: () => user || this.user || '',
password: () => password || this.password || '',
method: options && options.method ? options.method.toUpperCase() : '',
};
const domain = options && options.domain ? options.domain : this.domain;
2020-04-21 03:20:06 +00:00
const initiate = (err: Error, data: any) => {
if (err) {
caller(callback, err);
return;
}
2020-04-21 03:20:06 +00:00
let method: AUTH_METHODS | null = null;
2018-06-29 03:25:10 +00:00
/**
* @param {string} challenge challenge
* @returns {string} base64 cram hash
*/
const encode_cram_md5 = (challenge: string): string => {
const hmac = createHmac('md5', login.password());
hmac.update(Buffer.from(challenge, 'base64').toString('ascii'));
2018-05-27 04:25:08 +00:00
return Buffer.from(`${login.user()} ${hmac.digest('hex')}`).toString(
'base64'
);
};
2018-06-29 03:25:10 +00:00
/**
* @returns {string} base64 login/password
*/
const encode_plain = (): string =>
2018-05-27 04:25:08 +00:00
Buffer.from(`\u0000${login.user()}\u0000${login.password()}`).toString(
'base64'
);
2018-06-29 03:25:10 +00:00
/**
2018-07-06 20:31:45 +00:00
* @see https://developers.google.com/gmail/xoauth2_protocol
2018-06-29 03:25:10 +00:00
* @returns {string} base64 xoauth2 auth token
*/
const encode_xoauth2 = (): string =>
2018-05-27 04:25:08 +00:00
Buffer.from(
`user=${login.user()}\u0001auth=Bearer ${login.password()}\u0001\u0001`
).toString('base64');
// List of authentication methods we support: from preferred to
// less preferred methods.
if (!method) {
const preferred = this.authentication;
let auth = '';
if (this.features && this.features.auth) {
2018-05-27 04:25:08 +00:00
if (typeof this.features.auth === 'string') {
auth = this.features.auth;
}
}
for (let i = 0; i < preferred.length; i++) {
if (auth.includes(preferred[i])) {
method = preferred[i];
break;
}
}
}
2018-06-29 03:25:10 +00:00
/**
* handle bad responses from command differently
* @param {Error} err err
* @param {*} data data
* @returns {void}
*/
const failed = (err: Error, data: any): void => {
this._isAuthorized = false;
this.close(); // if auth is bad, close the connection, it won't get better by itself
2018-05-27 04:25:08 +00:00
caller(
callback,
2020-04-23 04:26:49 +00:00
makeSMTPError(
'authorization.failed',
SMTPErrorStates.AUTHFAILED,
err,
data
)
2018-05-27 04:25:08 +00:00
);
};
2018-06-29 03:25:10 +00:00
/**
* @param {Error} err err
* @param {*} data data
* @returns {void}
*/
const response = (err: Error, data: any): void => {
if (err) {
failed(err, data);
} else {
this._isAuthorized = true;
caller(callback, err, data);
}
};
2018-06-29 03:25:10 +00:00
/**
* @param {Error} err err
* @param {*} data data
* @param {string} msg msg
* @returns {void}
*/
const attempt = (err: Error, data: any, msg: string): void => {
if (err) {
failed(err, data);
} else {
if (method === AUTH_METHODS.CRAM_MD5) {
this.command(encode_cram_md5(msg), response, [235, 503]);
} else if (method === AUTH_METHODS.LOGIN) {
2018-05-27 04:25:08 +00:00
this.command(
Buffer.from(login.password()).toString('base64'),
response,
[235, 503]
);
}
}
};
2018-06-29 03:25:10 +00:00
/**
* @param {Error} err err
* @param {*} data data
* @param {string} msg msg
* @returns {void}
*/
2020-04-21 03:20:06 +00:00
const attempt_user = (err: Error, data: any): void => {
if (err) {
failed(err, data);
} else {
if (method === AUTH_METHODS.LOGIN) {
2018-05-27 04:25:08 +00:00
this.command(
Buffer.from(login.user()).toString('base64'),
attempt,
[334]
);
}
}
};
switch (method) {
case AUTH_METHODS.CRAM_MD5:
this.command(`AUTH ${AUTH_METHODS.CRAM_MD5}`, attempt, [334]);
break;
case AUTH_METHODS.LOGIN:
this.command(`AUTH ${AUTH_METHODS.LOGIN}`, attempt_user, [334]);
break;
case AUTH_METHODS.PLAIN:
2018-05-27 04:25:08 +00:00
this.command(
2018-06-28 02:57:53 +00:00
`AUTH ${AUTH_METHODS.PLAIN} ${encode_plain()}`,
2018-05-27 04:25:08 +00:00
response,
[235, 503]
);
break;
case AUTH_METHODS.XOAUTH2:
2018-05-27 04:25:08 +00:00
this.command(
2018-06-28 02:57:53 +00:00
`AUTH ${AUTH_METHODS.XOAUTH2} ${encode_xoauth2()}`,
2018-05-27 04:25:08 +00:00
response,
[235, 503]
);
break;
default:
const msg = 'no form of authorization supported';
2020-04-23 04:26:49 +00:00
const err = makeSMTPError(
msg,
SMTPErrorStates.AUTHNOTSUPPORTED,
undefined,
data
);
caller(callback, err);
break;
}
};
2018-05-27 04:25:08 +00:00
this.ehlo_or_helo_if_needed(initiate, domain);
}
/**
* @param {boolean} [force=false] whether or not to force destroy the connection
* @returns {void}
*/
close(force: boolean = false): void {
2018-05-27 04:25:08 +00:00
if (this.sock) {
if (force) {
2018-07-12 16:46:37 +00:00
this.log('smtp connection destroyed!');
2018-05-27 04:25:08 +00:00
this.sock.destroy();
} else {
2018-07-12 16:46:37 +00:00
this.log('smtp connection closed.');
2018-05-27 04:25:08 +00:00
this.sock.end();
}
}
if (this.monitor) {
this.monitor.stop();
this.monitor = null;
}
this._state = SMTPState.NOTCONNECTED;
this._isSecure = false;
2018-05-27 04:25:08 +00:00
this.sock = null;
2020-04-21 03:20:06 +00:00
this.features = {};
this._isAuthorized = !(this._user && this._password);
2018-05-27 04:25:08 +00:00
}
/**
2018-06-29 00:55:20 +00:00
* @param {function(...*): void} [callback] function to call after response
* @returns {void}
*/
2020-04-21 03:20:06 +00:00
quit(callback?: (...rest: any[]) => void): void {
2018-05-27 04:25:08 +00:00
this.command(
'quit',
(err, data) => {
caller(callback, err, data);
this.close();
},
[221, 250]
);
}
2011-02-23 21:23:37 +00:00
}