- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
对于这个问题,我提前表示歉意。我知道这有点乱,但我只是迷失了,不再确定自己在问什么。如果您需要澄清,请随时提出任何问题!
我目前正在使用您的 Google Calendar API。我需要有关 NodeJS 集成的帮助。我需要提取一些有关包含假期日期信息的日历的数据。
我似乎收到错误消息:“API 返回错误:错误:超出未经身份验证使用的每日限制。继续使用需要注册。”
我尝试寻找对此的明确答案问题以及如何解决它。但 StackOverflow 或 Google 指南都没有帮助我了解我需要做什么,以及我的应用程序和 Google 日历 API 之间的实际连接是什么/在哪里。
我还尝试重构您页面上的 NodeJS 快速入门指南中的示例代码,以便我可以返回一个包含带有日期名称和描述的日历对象的数组。这会产生未定义的结果。因此,我基本上需要的是帮助检查我的代码中出错的地方,并重新评估身份验证过程,因为我已经设置了我的 secret 凭证,并将来自 API 的 token 保存到我的机器上。
所以我有我的代码,当我调用我的日历 Controller 来检索数据时,我得到未定义
返回并出现错误
快速启动代码:https://developers.google.com/calendar/quickstart/nodejs
我的日历 Controller 类:
const fs = require('fs');
const readline = require('readline');
const {google} = require('googleapis');
const SCOPES = ['https://www.googleapis.com/auth/calendar.readonly'];
const TOKEN_PATH = __dirname + '/token.json';
class CalendarController {
/**
* Create an OAuth2 client with the given credentials.
* @param {Object} credentials The authorization client credentials.
*/
getOAuth2Client(credentials) {
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 this.getNewAccessToken(oAuth2Client);
oAuth2Client.setCredentials(JSON.parse(token));
return oAuth2Client;
});
}
/**
* Get and store new token after prompting for user authorization.
* @param {google.auth.OAuth2} oAuth2Client The OAuth2 client to get token for.
*/
getNewAccessToken(oAuth2Client) {
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 the webpage 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) console.error(err);
console.log('Token stored to: ', TOKEN_PATH);
});
});
return oAuth2Client;
});
}
/**
* Lists the next maxResults events on the user's primary calendar.
* @param {google.auth.OAuth2} auth An authorized OAuth2 client.
*/
listEvents(auth) {
const calendar = google.calendar({version: 'v3', auth});
let vacation_events = [];
calendar.events.list({
calendarId: 'CALENDAR.ID.IS.OMITTED.CUZ.DUH',
timeMin: (new Date()).toISOString(),
maxResults: 250,
singleEvents: true,
orderBy: 'startTime',
}, (err, res) => {
if (err) return console.log('The API returned an error: ' + err);
const events = res.data.items;
if (events.length) {
events.map((event, i) => {
const start = event.start.dateTime || event.start.date;
const end = event.end.dateTime || event.end.date;
let vacation = {
event_title: event.summary,
event_description: event.description,
dt_start: start,
dt_end: end,
}
vacation_events.push(vacation);
});
console.log(vacation_events);
return vacation_events;
} else {
console.log('No upcoming events found.');
}
});
}
getData() {
fs.readFile(__dirname + '/credentials.json', (err, content) => {
if (err) return console.error('Error loading client secrect file: ', err);
console.log(
this.listEvents(this.getOAuth2Client(JSON.parse(content)))
);
// return this.listEvents(this.getOAuth2Client(JSON.parse(content)));
})
}
}
module.exports = CalendarController;
说清楚一点。我的项目中确实有 credentials.json
和 token.json
文件并保存到我的计算机上。
最佳答案
所以我最终求助于 friend 。这导致了以下解决方案。
我的问题之一是,当您使用 Google 的 NodeJS 快速入门连接到日历 API 时,该代码会要求您通过浏览器手动更新 token 。所以我们必须解决这个问题。我遇到的第二个问题是我的代码没有按正确的顺序执行。正如 JS 中的许多事情一样,这是一个异步/等待问题。
如果您想使用单个用户自动执行此操作,以下文件显示了针对 Google Calendar API 的“正确”身份验证背后的代码逻辑。
const http = require('http')
const fs = require('fs')
const moment = require('moment')
const jwt = require('jsonwebtoken')
const { google } = require('googleapis')
const { GOOGLE_CLIENT_ID, GOOGLE_CLIENT_SECRET, GOOGLE_REDIRECT_URIS } = process.env
const scope = ['https://www.googleapis.com/auth/calendar',
'https://www.googleapis.com/auth/plus.login',
'https://www.googleapis.com/auth/plus.me',
'https://www.googleapis.com/auth/userinfo.email',
'https://www.googleapis.com/auth/userinfo.profile']
// adminID omitted
const adminID = '123456789101112131415'
const auth = new google.auth.OAuth2(GOOGLE_CLIENT_ID, GOOGLE_CLIENT_SECRET, GOOGLE_REDIRECT_URIS)
google.options({ auth })
const calendar = google.calendar({version: 'v3'})
const publicMethods = {
async listAllUpcomingEvents() {
const { data } = await calendar.events.list({
// correct calendarId omitted
calendarId: 'primary',
timeMin: (new Date()).toISOString(),
maxResults: 10,
singleEvents: true,
orderBy: 'startTime'
})
return data
}
/* Make all your calendar methods like shown here */
}
auth.on('tokens', (tokens) => {
if(verifyTokenId(tokens)) {
saveTokens(tokens)
}
})
function saveTokens (tokens) {
auth.setCredentials(tokens)
nDebug('auth:token', tokens)
tokenStore.tokens = tokens
}
/**
* Generate a url for authentication
*
* @returns {string} Authentication url
*/
function getUrl () {
return auth.generateAuthUrl({
access_type: 'offline',
prompt: 'consent',
scope
})
}
/**
* Store token upon oauth callback
*
* @param {string} code Access code from auth callback
* @returns {Object} tokens
*/
async function tokenCallback(code) {
const { tokens } = await auth.getToken(code)
return tokens
}
/**
* Acquires profile information and verifies ID against adminID
*
* @param {Object} tokens
* @returns {Boolean}
*/
async function verifyTokenId (tokens) {
const info = jwt.decode(tokens.id_token)
//const info = await auth.getTokenInfo(tokens.access_token)
return info.sub === adminID
}
function getRouter () {
const router = require('express').Router()
router.get('/redirect', (req, res) => {
res.redirect(getUrl())
})
router.get('/kappa', async (req, res) => {
const data = await publicMethods.listAllUpcomingEvents() /* Use calendar functions like this */
res.send(data)
})
router.get('/', async (req, res) => {
try {
const tokens = await tokenCallback(req.query.code)
nDebug('tokens', tokens)
if (!verifyTokenId(tokens)) {
return res.status(403).send(http.STATUS_CODES['403'])
}
return res.send(info)
} catch (e) {
nDebug('error', e.data || e)
res.status(500).send(e.data || e)
}
})
return router
}
/**
* Debugging class
*
* @param {string} string describing who calls the function
* @param {function} callback function
*/
function nDebug (who, what) {
console.log(moment().format(), who)
console.dir(what, {color: true, depth: 3})
console.log('#/', who)
}
/**
* Singleton class to store and retrieve tokens
*
* @class TokenStore
*/
class TokenStore {
/**
* Creates an instance of TokenStore.
* @param {Object} tokens - Collection of tokens to store
* @param {string} tokens.access_token - Access token
* @param {string} tokens.refresh_token - Refresh token
* @memberof TokenStore
*/
constructor (tokens) {
this._tokens = tokens
}
/**
* Returns stored tokens
*
* @memberof TokenStore
*/
get tokens () {
return this._tokens
}
/**
* Set tokens on TokenStore and writes them to file
*
* @memberof TokenStore
*/
set tokens (tokens) {
this._tokens = tokens
TokenStore.saveToFile(tokens)
}
/**
* Tries to load tokens from file, creates a blank TokenStore if none was found
*
* @static
* @returns {TokenStore} New instance of TokenStore
* @memberof TokenStore
*/
static tryLoadOrMakeNew () {
try {
const data = this.loadFromFile()
nDebug('token loaded', data)
setImmediate(() => saveTokens(data))
return new this(data)
} catch (err) {
if(err.code === 'ENOENT') {
nDebug('no token loaded', {})
return new this()
} else {
throw err /* Bollocks, something more serious is wrong, better throw up */
}
}
}
static loadFromFile () {
return JSON.parse(fs.readFileSync(this.filePath(), this.opts()))
}
static saveToFile (tokens) {
return fs.writeFileSync(this.filePath(), JSON.stringify(tokens, null, 2), this.opts())
}
static opts () {
return { encoding: 'utf-8' }
}
static filePath () {
return 'tokens.json'
}
}
/* I feel ashamed */
const tokenStore = TokenStore.tryLoadOrMakeNew()
module.exports = Object.assign(google, publicMethods, { getRouter })
最后,当我们收到 Google 的响应并获取刷新 token 和 access_token 时,我们会将其本地存储到“token.json”文件中。
请注意,如果您使用 nodemon
运行应用程序,则必须将 package.json
中的 npm start
更改为 ” start": "nodemon --ignore 'tokens.json' app.js"
如果评论中出现问题和更正,我会更新答案。
关于javascript - NodeJS、Google 日历 API 集成未经过身份验证并返回未定义,无论凭证和 token 是否存在,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53262053/
我正在使用SQL Server 2008 R2,并且想创建一个触发器。 对于每个添加(仅添加),将像这样更新一列: ABC-CurrentYear-AutoIncrementCode 例子: ABC-
是否可以在显示最终一致性的数据存储中创建/存储用户帐户? 似乎不可能在没有一堆架构复杂性的情况下管理帐户创建,以避免可能发生具有相同 UID(例如电子邮件地址)的两个帐户的情况? 最终一致性存储的用户
您好, 我有一个带有 Identity 的 .NetCore MVC APP并使用 this指导我能够创建自定义用户验证器。 public class UserDomainValidator : IU
这与以下问题相同:HiLo or identity? 我们以本站的数据库为例。 假设该站点具有以下表格: 帖子。 投票。 注释。 使用它的最佳策略是什么: 身份 - 这是更常见的。 或者 HiLo -
我想将 Blazor Server 与 ASP.NET Identity 一起使用。但我需要使用 PostgreSQL 作为用户/角色存储,因为它在 AWS 中。 它不使用 EF,这是我需要的。 我创
我正在开发一个 .NET 应用程序,它可以使用 Graph API 代表用户发送电子邮件。 提示用户对应用程序进行授权;然后使用获取的访问 token 来调用 Graph API。刷新 token 用
我使用 ASP.NET 身份和 ClaimsIdentity 来验证我的用户。当用户通过身份验证时,属性 User.Identity 包含一个 ClaimsIdentity 实例。 但是,在登录请求期
所以我在两台机器上都安装了 CYGWIN。 如果我这样做,它会起作用: ssh -i desktop_rsa root@remoteserver 这需要我输入密码 ssh root@remoteser
我尝试在 mac osx 上的终端中通过 telnet 连接到 TOR 并请求新身份,但它不起作用,我总是收到此错误消息: Trying 127.0.0.1... telnet: connect to
我正在开发一个 .NET 应用程序,它可以使用 Graph API 代表用户发送电子邮件。 提示用户对应用程序进行授权;然后使用获取的访问 token 来调用 Graph API。刷新 token 用
我正在开发一项服务,客户可以在其中注册他们的 webhook URL,我将发送有关已注册 URL 的更新。为了安全起见,我想让客户端(接收方)识别是我(服务器)向他们发送请求。 Facebook和 G
在 Haskell 中,有没有办法测试两个 IORef 是否相同?我正在寻找这样的东西: IORef a -> IORef a -> IO Bool 例如,如果您想可视化由 IORef 组成的图形,这
我是 .NET、MVC 和身份框架的新手。我注意到身份框架允许通过注释保护单个 Controller 操作。 [Authorize] public ActionResult Edit(int? Id)
我有一列具有身份的列,其计数为19546542,我想在删除所有数据后将其重置。我需要类似ms sql中的'dbcc checkident'这样的内容,但在Oracle中 最佳答案 在Oracle 12
这是我用来创建 session 以发送电子邮件的代码: props.put("mail.smtp.auth", "true"); props.put("mail.smtp.starttls.enabl
我想了解 [AllowAnonymous] 标签的工作原理。 我有以下方法 [HttpGet] public ActionResult Add() { return View(); } 当我没
在使用沙盒测试环境时,PayPal 身份 token 对某些人显示而不对其他人显示的原因是否有任何原因。 我在英国使用 API,终生无法生成或找到 token 。 我已经遵循协议(protocol)并
我对非常简单的事情有一些疑问:IDENTITY。我尝试在 phpMyAdmin 中创建表: CREATE TABLE IF NOT EXISTS typEventu ( typEventu
习语 #1 和 #5 是 FinnAPL Idiom Library两者具有相同的名称:“Progressive index of (without replacement)”: ((⍴X)⍴⍋⍋X⍳
当我第一次在 TFS 中设置时,我的公司拼错了我的用户名。此后他们将其更改为正确的拼写,但该更改显然未反射(reflect)在 TFS 中。当我尝试 checkin 更改时,出现此错误: 有没有一种方
我是一名优秀的程序员,十分优秀!