Ошибка API GoogleSheet: Ошибка выборки: запрос на https://www.googleapis.com/oauth2/v4/token не удалось, причина: getaddrinfo ENOTFOUND 808

# #javascript #node.js #google-sheets #google-cloud-platform #google-sheets-api

Вопрос:

Я пытаюсь получить доступ к API-интерфейсам Google sheet, но сначала я пытаюсь сгенерировать маркер доступа, используя приведенный ниже код.

 const { google } = require("googleapis");

getAccessToken = () => {
  return new Promise(function(resolve, reject) {
   const key = require('./credentials.json');
   const jwtClient = new google.auth.JWT(
    key.client_email,
    null,
    key.private_key,
    "https://www.googleapis.com/auth/spreadsheets",
    null
   );
   jwtClient.authorize(function(err, tokens) {
    if (err) {
     reject(err);
     return;
    }
    console.log("token===",tokens.access_token);
    resolve(tokens.access_token);
   });
  });
 };

getAccessToken();
 

Но не удалось авторизовать его в jwtClient.authorize()
и получить ошибку, как показано ниже:

 C:Google APIGoogleSheet UsingJWTGoogleSheet UsingJWT>node index.js
(node:16820) UnhandledPromiseRejectionWarning: FetchError: request to https://www.googleapis.com/oauth2/v4/token failed, reason: getaddrinfo ENOTFOUND 808
    at ClientRequest.<anonymous> (C:Google APIGoogleSheet UsingJWTGoogleSheet UsingJWTnode_modulesnode-fetchlibindex.js:1461:11)
    at ClientRequest.emit (events.js:314:20)
    at onerror (C:Google APIGoogleSheet UsingJWTGoogleSheet UsingJWTnode_modulesagent-basedistsrcindex.js:117:21)
    at callbackError (C:Google APIGoogleSheet UsingJWTGoogleSheet UsingJWTnode_modulesagent-basedistsrcindex.js:136:17)
    at processTicksAndRejections (internal/process/task_queues.js:97:5)
(node:16820) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). To terminate the node process on unhandled promise rejection, use the CLI flag `--unhandled-rejections=strict` (see https://nodejs.org/api/cli.html#cli_unhandled_rejections_mode). (rejection id: 1)
(node:16820) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
 

Я также не использую никаких прокси-серверов. Я не в состоянии понять реальную проблему.

Пожалуйста, кто-нибудь может мне помочь?

Комментарии:

1. Всем привет! Я изучал ваш сценарий, но не обнаружил никаких явных неисправностей. Я понимаю, что проблема возникает в процессе аутентификации, в этом случае я настоятельно рекомендую вам следовать Node.js Используйте быстрый запуск API и посмотрите, поможет ли это. Особенно в первой половине кода, где показан рабочий поток аутентификации. Пожалуйста, протестируйте его, вернитесь и поделитесь своими выводами.

Ответ №1:

Я понимаю, что вы хотите создать поток токенов OAuth 2.0 для своего API Sheets Node.js сценарий, но в ответ вы получаете сообщение об ошибке. Это сообщение об ошибке описывает, как эта проблема возникает в необработанных обещаниях. Чтобы решить эту ситуацию, вы должны использовать обработанные обещания. Один из способов сделать это-использовать следующий пример:

 const fs = require('fs');
const readline = require('readline');
const {
  google
} = require('googleapis');

const SCOPES = ['https://www.googleapis.com/auth/spreadsheets'];
const TOKEN_PATH = 'token.json';

fs.readFile('credentials.json', (err, content) => {
  if (err) return console.log('Error loading client secret file:', err);
  authorize(JSON.parse(content), myFunction);
});

function authorize(credentials, callback) {
  const {
    client_secret,
    client_id,
    redirect_uris
  } = credentials.installed;
  const oAuth2Client = new google.auth.OAuth2(
    client_id, client_secret, redirect_uris[0]);

  fs.readFile(TOKEN_PATH, (err, token) => {
    if (err) return getNewToken(oAuth2Client, callback);
    oAuth2Client.setCredentials(JSON.parse(token));
    callback(oAuth2Client);
  });
}

function getNewToken(oAuth2Client, callback) {
  const authUrl = oAuth2Client.generateAuthUrl({
    access_type: 'offline',
    scope: SCOPES,
  });
  console.log('Authorize this app by visiting this url:', authUrl);
  const rl = readline.createInterface({
    input: process.stdin,
    output: process.stdout,
  });
  rl.question('Enter the code from that page here: ', (code) => {
    rl.close();
    oAuth2Client.getToken(code, (err, token) => {
      if (err) return console.error(
        'Error while trying to retrieve access token', err);
      oAuth2Client.setCredentials(token);
      fs.writeFile(TOKEN_PATH, JSON.stringify(token), (err) => {
        if (err) return console.error(err);
        console.log('Token stored to', TOKEN_PATH);
      });
      callback(oAuth2Client);
    });
  });
}

function myFunction(auth) {
  // YOUR CODE HERE
}
 

Этот сценарий достигнет ваших целей, как описано, вам нужно только не забыть изменить область действия (при необходимости) и обновить myFunction . Не стесняйтесь оставлять комментарии, если вам нужна помощь в этом подходе.