【问题标题】:How to create google contacts using People API and Nodejs如何使用 People API 和 Nodejs 创建谷歌联系人
【发布时间】:2021-03-26 16:13:53
【问题描述】:

我正在寻找如何使用People API 创建谷歌联系人,我已按照此处的指南进行操作:

https://developers.google.com/people/quickstart/nodejs

我当前的代码:

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

// If modifying these scopes, delete token.json.
const SCOPES = ['https://www.googleapis.com/auth/contacts'];
// The file token.json stores the user's access and refresh tokens, and is
// created automatically when the authorization flow completes for the first
// time.
const TOKEN_PATH = 'token.json';

// Load client secrets from a local file.
fs.readFile('credentials.json', (err, content) => {
  if (err) return console.log('Error loading client secret file:', err);
  // Authorize a client with credentials, then call the Google Tasks API.
  authorize(JSON.parse(content), listConnectionNames);
});

/**
 * Create an OAuth2 client with the given credentials, and then execute the
 * given callback function.
 * @param {Object} credentials The authorization client credentials.
 * @param {function} callback The callback to call with the authorized client.
 */
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]);

  // Check if we have previously stored a token.
  fs.readFile(TOKEN_PATH, (err, token) => {
    if (err) return getNewToken(oAuth2Client, callback);
    oAuth2Client.setCredentials(JSON.parse(token));
    callback(oAuth2Client);
  });
}

/**
 * Get and store new token after prompting for user authorization, and then
 * execute the given callback with the authorized OAuth2 client.
 * @param {google.auth.OAuth2} oAuth2Client The OAuth2 client to get token for.
 * @param {getEventsCallback} callback The callback for the authorized client.
 */
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 retrieving access token', err);
      oAuth2Client.setCredentials(token);
      // Store the token to disk for later program executions
      fs.writeFile(TOKEN_PATH, JSON.stringify(token), (err) => {
        if (err) return console.error(err);
        console.log('Token stored to', TOKEN_PATH);
      });
      callback(oAuth2Client);
    });
  });
}

/**
 * Print the display name if available for 10 connections.
 *
 * @param {google.auth.OAuth2} auth An authorized OAuth2 client.
 */
function listConnectionNames(auth) {
  const service = google.people({version: 'v1', auth});
  service.people.connections.list({
    resourceName: 'people/me',
    pageSize: 2,
    personFields: 'names,emailAddresses',
  }, (err, res) => {
    if (err) return console.error('The API returned an error: ' + err);
    const connections = res.data.connections;
    if (connections) {
      console.log('Connections:');
      connections.forEach((person) => {
        if (person.names && person.names.length > 0) {
          console.log(person.names[0].displayName);
        } else {
          console.log('No display name found for connection.');
        }
      });
    } else {
      console.log('No connections found.');
    }
  });

  service.people.createContact({
    requestBody: {
      emailAddresses: [{value: 'test@test.com'}],
      names: [
        {
          displayName: 'A',
          familyName: 'B',
          givenName: 'C',
        },
      ],
    },
  });
  //console.log('\n\nCreated Contact:', newContact);

}

我成功创建了reading 我的联系人并创建了 OAuth 身份验证密钥。

https://developers.google.com/people/api/rest/v1/people/createContact (遗憾的是,此链接没有完整的工作示例,例如读取联系人的链接)

我尝试创建一个添加此代码的联系人:

  service.people.createContact({
    requestBody: {
      emailAddresses: [{value: 'test@test.com'}],
      names: [
        {
          displayName: 'A',
          familyName: 'B',
          givenName: 'C',
        },
      ],
    },
  });

但是,当我添加代码时,它会返回错误:

(node:8392) UnhandledPromiseRejectionWarning: Error: Insufficient Permission
    at Gaxios.<anonymous> (C:\Users\Desktop\Nova pasta\node_modules\gaxios\build\src\gaxios.js:73:27)
    at Generator.next (<anonymous>)
    at fulfilled (C:\Users\Desktop\Nova pasta\node_modules\gaxios\build\src\gaxios.js:16:58)
    at processTicksAndRejections (internal/process/task_queues.js:93:5)
(Use `node --trace-warnings ...` to show where the warning was created)
(node:8392) 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:8392) [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.

【问题讨论】:

    标签: javascript node.js google-api google-api-js-client google-people-api


    【解决方案1】:

    错误:权限不足

    表示您正在尝试做您无权做的事情。

    create 方法要求你已经授权了以下范围的用户

    https://www.googleapis.com/auth/contacts

    我怀疑您已经更改了代码中的范围,并且没有重新授权您的用户。

    • 删除token.json,
    • 让用户转到permissions 找到您的应用并删除其访问权限。然后尝试再次运行您的应用程序。

    【讨论】:

    • 感谢 Linda,感谢您的推文,我删除了令牌并再次进行身份验证,它确实有效。
    • 如果有一条推文我错过了 :) 很高兴你成功了。
    【解决方案2】:

    我会按照你提出问题的相同顺序回答你的问题:

    1. 在文件credentials.json(来自第一个链接)中,它包含一个clientID 这是clientID 将用于'clientId':' 吗?

    是的,clientId 是 OAuth 2.0 协议的一部分。

    1. scope 的值会改变还是会一直保持不变?

    脚本范围只应在您需要时更改。理想情况下,您将使用最严格的范围,除非您需要一个限制较少的范围。 Here 有一个有效的 People API 范围列表。

    1. 错误ReferenceError: gapi is not defined有什么问题

    此错误警告您尚未声明 gapi 变量。 @ChavdaMadhav 分享的原始代码并不是一个完整的例子。您需要填写空白以使其运行,其中包括 gapi 变量的定义。如果您对此答案或其他答案有疑问,请随时回信。

    【讨论】:

    • Jacques 我重写了我当前的代码并编辑了主题,我仍然不知道如何创建一个联系人,你能看看吗?
    猜你喜欢
    • 1970-01-01
    • 1970-01-01
    • 1970-01-01
    • 1970-01-01
    • 2020-03-26
    • 1970-01-01
    • 1970-01-01
    • 1970-01-01
    • 1970-01-01
    相关资源
    最近更新 更多