Я пытаюсь отправить электронное письмо от функции Firebase, на данный момент я могу получить клиент jwt, авторизовать iy, получить токены и создать транспортер nodemailer.
НО пытаясь выполнить transorter.sendmail (), я получаю сообщение об ошибке:
info: { Error: Invalid status code 401
at ClientRequest.req.on.res (/Users/yves/Developments/WIP/VUE.JS-vcli-3-beta/le-choro-des-charentes/functions/node_modules/nodemailer/lib/fetch/index.js:221:23)
at emitOne (events.js:116:13)
at ClientRequest.emit (events.js:211:7)
at HTTPParser.parserOnIncomingClient [as onIncoming] (_http_client.js:551:21)
at HTTPParser.parserOnHeadersComplete (_http_common.js:117:23)
at TLSSocket.socketOnData (_http_client.js:440:20)
at emitOne (events.js:116:13)
at TLSSocket.emit (events.js:211:7)
at addChunk (_stream_readable.js:263:12)
at readableAddChunk (_stream_readable.js:250:11)
type: 'FETCH',
sourceUrl: 'https://accounts.google.com/o/oauth2/token',
code: 'EAUTH',
command: 'AUTH XOAUTH2' }
после прочтения большого количества постов (вопросы и ответы в столь разных контекстах) я потерян ... У меня такое чувство, что эта ошибка может быть связана с маркером обновления ... но кто знает?
Вот моя функция (я вставил в файл console.log, чтобы посмотреть, как он работает ..., и все переменные env установлены w functions.config ()):
const functions = require('firebase-functions');
const admin = require('firebase-admin');
admin.initializeApp();
const { google } = require('googleapis')
const nodemailer = require('nodemailer')
exports.sendContactEmailOAuth = functions.https.onRequest((req, res) => {
const sender_email = 'john.doe@acme.com';
const sender_msg = 'just a test to contact the site owner.'
const email = 'contact@example.com'
const jwtClient = new google.auth.JWT({
email: functions.config().service_key.client_email,
key: functions.config().service_key.private_key,
scopes: ['https://mail.google.com/']
}
)
console.log('JWT Client: ', jwtClient)
jwtClient.authorize((error, tokens) => {
if (error) {
console.log('NOT AUTHORIZE?: ', error)
res.json({ success: false, error: error });
return
}
console.log('AUTHORIZED tokens: ', tokens)
var transporter = nodemailer.createTransport({
host: "smtp.gmail.com",
port: 465,
secure: true,
auth: {
type: 'OAuth2',
user: email,
serviceClient: functions.config().service_key.client_id,
privateKey: functions.config().service_key.private_key,
accessToken: tokens.access_token,
refreshToken: tokens.refresh_token,
expires: tokens.expiry_date
}
});
console.log('nodemailer transporter set...');
const mailOptions = {
from: 'An Example<' + sender_email + '>',
to: email,
subject: 'Apple and Banana',
text: sender_msg,
html: '<h1>Apple and Banana</h1><p>My html here</p>'
};
transporter.sendMail(mailOptions, (error, response) => {
if (error) {
console.log(error);
res.end('error');
} else {
console.log("Message sent: " + response.message);
res.end('sent');
}
transporter.close();
});
});
});
Теперь я вижу вывод консоли:
=====================
info: User function triggered, starting execution
info: JWT Client: JWT {
domain: null,
_events: {},
_eventsCount: 0,
_maxListeners: undefined,
transporter: DefaultTransporter {},
credentials: { refresh_token: 'jwt-placeholder', expiry_date: 1 },
certificateCache: null,
certificateExpiry: null,
refreshTokenPromises: Map {},
_clientId: undefined,
_clientSecret: undefined,
redirectUri: undefined,
authBaseUrl: undefined,
tokenUrl: undefined,
eagerRefreshThresholdMillis: 300000,
email: 'postman@example-209605.iam.gserviceaccount.com',
keyFile: undefined,
key: '-----BEGIN PRIVATE KEY-----\nMIIEvAI........IZFwQg==\n-----END PRIVATE KEY-----\n',
scopes: [ 'https://mail.google.com/' ],
subject: undefined,
additionalClaims: undefined }
info: AUTHORIZED tokens: { access_token: 'ya29.c.Elm6BYmTEQ6B82VWaAVx-9oXxX0ytUhgag-FJNPzFl1R9zEeeQQsGuMB5XnMrnbRRZBQuJkprvW1E_Sh8spyEmbd4iwAXbaj2Ou9vcww',
token_type: 'Bearer',
expiry_date: 1526217245000,
id_token: undefined,
refresh_token: 'jwt-placeholder' }
info: nodemailer transporter set...
info: { Error: Invalid status code 401
at ClientRequest.req.on.res (/Users/myself/Developments/myapp/functions/node_modules/nodemailer/lib/fetch/index.js:221:23)
at emitOne (events.js:116:13)
at ClientRequest.emit (events.js:211:7)
at HTTPParser.parserOnIncomingClient [as onIncoming] (_http_client.js:551:21)
at HTTPParser.parserOnHeadersComplete (_http_common.js:117:23)
at TLSSocket.socketOnData (_http_client.js:440:20)
at emitOne (events.js:116:13)
at TLSSocket.emit (events.js:211:7)
at addChunk (_stream_readable.js:263:12)
at readableAddChunk (_stream_readable.js:250:11)
type: 'FETCH',
sourceUrl: 'https://accounts.google.com/o/oauth2/token',
code: 'EAUTH',
command: 'AUTH XOAUTH2' }
- Клиент jwt в порядке? Я думаю, что сидеть разрешено.
- Токены в порядке? id_token: undefined и refresh_token: 'jwt-placeholder'?
- что означает этот Неверный код статуса 401?
Спасибо за отзыв. Я недалек от его запуска и запуска, но это последняя проблема после долгого пути к аутентификации учетной записи GMail.