- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我的 Express 应用程序调用 request.isAuthenticated() 方法。但是,我不知道它检查什么来确定它是否经过身份验证。我的应用需要通过 OIDC 进行身份验证。如何告诉 isAuthenticated() 方法它通过了 OIDC 身份验证?
目前,我已将其设置为使用适当的 client_id 范围重定向到 OIDC 授权端点。用户的浏览器跟随重定向,用户成功登录。OIDC 将重定向发送回我的 Express 应用程序提供的回调。用户浏览器成功到达此端点。
我的合并文件在下面的一篇文章中。因为我是 Node 新手,所以它比我想要的更草率。此外,因为我无法让 Visual Code 捕获我的断点(请参阅我的其他相关帖子),我只能使用 console.log 语句进行调试。
如果我在浏览器中转到/cost-recovery,它会转到这条路线:
app.use('/cost-recovery*', saveUrlInSession, /*ensureAuthenticated*/ isLoggedIn,createProxyMiddleware(sprint_cost_recovery_options));
它将 URL 保存在 session 中,允许回调到我想要的地方。这样可行。在 ensureAuthenticated 和 isLoggerdIn 处理程序中,系统重定向到 OIDC/OpenId/??身份证登录页面。我能够登录,它会返回到我的回调页面。在那个回调路由中, req.isAuthenticated() 仍然是假的。
/**
* How the application respond to clients requests depending of the endpoint
*/
const userController = require('../controllers/userController');
var OpenIDConnectStrategy = require('passport-ci-oidc').IDaaSOIDCStrategy;
const strategyConfiguration = require('../../config/strategy.json');
console.log('strategyConfiguration=' + JSON.stringify(strategyConfiguration));
const passport = require('passport');
const https = require('https');
const { createProxyMiddleware } = require('http-proxy-middleware');
module.exports = function (app) {
console.log('App setting title=' + app.get('title'));
console.log('App env=' + app.get('env'));
console.log('App setting query parser=' + app.get('query parser'));
console.log('App setting string routing=' + app.get('strict routing'));
console.log('App setting case sensitive routing=' + app.get('case sensitive routing'));
var http = require('http');
var url = require('url');
var currentOriginalUrl;
passport.serializeUser(function (user, done) {
done(null, user);
});
passport.deserializeUser(function (obj, done) {
done(null, obj);
});
// openid-client is an implementation of the OpenID Relying Party (RP, Client) server
// for the runtime of Node.js, support passport
//OAuth 2.0 protocol
//middleware Passport-OpenID Connect
const config = require('../configuration/config').getConfiguration();
console.log('config=' + JSON.stringify(config));
console.log('strategyConfiguration=' + JSON.stringify(strategyConfiguration));
var OpenIDConnectStrategy = require('passport-ci-oidc').IDaaSOIDCStrategy;
var Strategy = new OpenIDConnectStrategy({
discoveryURL: strategyConfiguration.discoveryURL,
clientID: strategyConfiguration.clientID,
scope: 'openid',
response_type: 'code',
clientSecret: strategyConfiguration.clientSecret,
callbackURL: strategyConfiguration.callbackURL,
skipUserProfile: true, /* this was true before */
CACertPathList: [
`/certs/DigiCertGlobalRootCA.crt`,
`/certs/DigiCertSHA2SecureServerCA.crt`,
]
},
function (iss, sub, profile, accessToken, refreshToken, params, done) {
process.nextTick(function () {
profile.accessToken = accessToken;
profile.refreshToken = refreshToken;
const userDetails = profile._json;
const userProfile = {
uid: userDetails.uid,
mail: profile.id,
cn: decodeURIComponent(userDetails.cn),
exp: 60 * 60 /*TODO: Get proper number of seconds. userDetails.exp */,
blueGroups: userDetails.blueGroups,
};
done(null, userProfile);
})
}
)
var proxy_server = require('http-proxy').createProxyServer({});
const originalUrl = new URL(config.host);
console.log('matched cost-recovery using original url: ' + originalUrl);
const newUrl = new URL(originalUrl);
newUrl.port = 8447;
console.log('matched cost-recovery new url' + newUrl);
function saveUrlInSession(request, response, next) {
if (request.params.state) {
console.log('Saving state=' + request.params.state + " in session");
request.session.savedUrl = request.request.params.state;
} else {
console.log('Saving originalUrl=' + request.originalUrl + " in session");
request.session.savedUrl = request.originalUrl;
}
if (next) {
return next();
} else {
console.log('@@ no next');
}
}
function ensureAuthenticated(req, res, next) {
if (!req.isAuthenticated()) {
console.log('@@ ensureAuthenticated reached. Not authenticated. redirecting to /login');
res.redirect('/login')
} else {
console.log('@@ ensureAuthenticated reached. Authenticated. Continuing to next handler');
return next();
}
}
function isLoggedIn(req, res, next) {
if (req.isAuthenticated()) {
console.log('@@isLoggedIn req.isAuthenticated()=true');
req.session.isAuthenticated = true;
res.locals.isAuthenticated = true;
res.locals.user = req.user;
next(); //If you are authenticated, run the next
} else {
console.log('@@isLoggedIn req.isAuthenticated()=false');
return res.redirect("/login");
}
}
function getUserProfile(req, res, next) {
console.log('@@ reached getUserProfile')
if (typeof req.user == 'undefined') {
res.status(401);
next();
}
return res.status(200).send(req.user);
}
function getUserName(req, res, next) {
console.log('@@ reached getUserName')
if (typeof req.user === 'undefined') {
res.status(401);
return next();
}
return res.status(200).send(req.user.cn);
}
var newURL = url.format({
protocol: config.protocol,
host: config.host,
pathname: config.originalUrl
});
console.log('newURL=' + newURL);
var newURL2 = new URL(newURL);
newURL2.port = "8447";
newURL2.protocol = "http";
console.log('newURL2=' + newURL2);
const sprint_cost_recovery_options = {
target: newURL2,
level: 'debug',
changeOrigin: true,
ws: true
}
console.log('@@ sprint_cost_recovery_options=' + JSON.stringify(sprint_cost_recovery_options));
passport.use(Strategy);
app.use(passport.initialize());
app.use(passport.session());
app.use(function (request, response, next) {
console.log('Common Route: Incoming request originalUrl:' + request.originalUrl);
console.log('Common Route: Incoming request previous Url:' + request.header('referer'));
console.log('Common Route: Incoming request url:' + request.url);
next();
});
app.get('/auth/sso/callback/:callback_uri?'
, function (request, response, next) {
console.log('CB-1 matched on originalUrl=' + request.originalUrl);
console.log('@@ CB-2. isAuthenticated=' + request.isAuthenticated());
console.log('@@ CB-2.5 request.account test=' + request.account);
console.log('@@ savedUrl in session=' + request.session.savedUrl);
//var redirectUrl = poppedUrlFromSession(request);
var redirectUrl = request.session.savedUrl;
if (!redirectUrl) {
redirectUrl = "/health-check";
}
console.log('@@ CB-3. redirectUrl=' + redirectUrl);
console.log('@@ CB-4. before passport.authenticate');
console.log('@@ CB-5. after passport.authenticate');
console.log('@@ CB-6. isAuthenticated=' + request.isAuthenticated());
console.log('@@ auth-sso-callback-2 bp1');
response.redirect(redirectUrl);
}
);
app.use('/login?:state?',
function (request, response, next) {
var stateIndicator = (request.params.state) ? " with state " + request.params.state : " with no state/redirect.";
console.log('@@ Reached login with ' + stateIndicator);
return next();
},
passport.authenticate('openidconnect', { state: Math.random().toString(36).substr(2, 10) }));
app.use('/rules/username', saveUrlInSession, ensureAuthenticated, userController.getUserName);
app.use('/rules/profile', saveUrlInSession, ensureAuthenticated, userController.getUserProfile);
app.use('/cost-recovery*', saveUrlInSession, /*ensureAuthenticated*/ isLoggedIn,createProxyMiddleware(sprint_cost_recovery_options));
app.use('/profile', saveUrlInSession, ensureAuthenticated, getUserProfile);
app.use('/username', saveUrlInSession, ensureAuthenticated, getUserName);
app.get('/successful-login', function (req, res) {
res.send('login succeeded');
});
app.get('/failure', function (req, res) {
res.send('login failed');
});
app.get('/health-check', (request, response) => {
response.send('Middleware is running.');
});
};
最佳答案
简短的回答是大部分时间req.isAuthenticated
只是检查值是否 req.user
已设置,但详细信息可能会根据您的 Passport 配置而改变。
我想你可能已经很清楚了,isAuthenticated
方法被添加到 req
对象 Passport.js .
对于reasons that don't seem clear to anyone else ,该方法似乎没有任何面向公众的文档。
但是你可以找到req.isAuthenticated
的实现(也是 req.isUnauthenticated
)在护照的 http/request.js 的来源中.
原始代码目前是这样的:
req.isAuthenticated = function() {
var property = 'user';
if (this._passport && this._passport.instance) {
property = this._passport.instance._userProperty || 'user';
}
return (this[property]) ? true : false;
};
(
Lines 77-90 在我查看的版本 request.js 中。)
userProperty
。设置为和 (2) 检查是否
req[userProperty]
是“真实的”。
userProperty
值是 Passport 的另一个记录不足或可能未记录的功能。您可能只是假设该值为
user
,除非您已采取措施使其成为其他内容。)
isAuthenticated
应该返回
true
如果
req.user
已设置为非空对象和
false
如果
req.user
是
null
或
false
或
0
, ETC。
req.user
作为
req.login
一部分的已验证用户的属性映射函数(由
passport.authenticate
中间件间接调用)。所以通常在你调用
req.login
之后或
passport.authenticate
你应该期待
req.user
被填充,因此对于
req.isAuthenticated
返回真。
login
函数或 authenticate
中间件实际上并没有在您期望的时候被调用。isAuthenticated() === false
在技术上是正确的)。req.user
.req.user
中找到用户配置文件信息对于您的应用程序,所以如果这一切正常,我希望
req.isAuthenticated
工作,但我不确定我是否完全了解你的整体状况。
password-ci-oidc
特别是(虽然我在 npm 上看到了该模块,但看起来原始源代码并不公开),但您可能想深入了解
req.user
是
userProperty
它正在使用和/或是否正在填充用户对象。
skipUserProfile: true
你的策略配置中的一点点在我身上跳出来。是否有可能您实际上是在告诉策略中间件不要填充
req.user
?
req.isAuthenticated()
没有做太多
req.user ? true : false
因此,如果您有一种更可靠的方法来验证用户是否已通过身份验证,则只需使用它就足够了(或猴子补丁
req.isAuthenticated
以使用您的逻辑而不是默认行为)。无论如何,它似乎并没有做更多的事情。
关于node.js - express 请求.isAuthenticated,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/65387843/
我用运行 Node node --debug app OR node --debug-brk app 它有反应 debugger listening on port 5858 Express serv
这个问题在这里已经有了答案: What is the difference between (int *i) and (int* i) in context of both C and C++? [
我有一个应用程序,它通过消息队列将数据库写入命令分派(dispatch)给工作人员(数量非常大),因此无法保证它们的接收顺序。 我有两个 Node ,例如“Account”和“Media”。在此假设的
有没有办法在调用 ts-node 时将选项传递给 Node ?我正在尝试在 Node 中使用一个实验性功能,如果它能与 ts-node 一起使用,那就太好了。 这就是我目前正在做的事情: ts-nod
我有一个容器化的Node应用程序,它在DigitalOcean服务器上运行。当我更新服务器上的应用程序时,该应用程序必须关闭一小段时间。为了能够更新应用程序并避免停机,我目前正在阅读零停机时间部署/蓝
我正在编写一个 Node.js 应用程序。我正在使用 request 和 Cheerio 加载一组 URL 并获取该网站的大量信息,现在假设我想要获取的只是标题: var urls = {"url_1
如果不弹出以下错误,我无法安装任何 Node.js 模块。错误代码引用package.json文件。如果知道为什么会发生这种情况,我们将不胜感激。 最佳答案 这些不是错误,它们只是警告。一切都应该如此
如果我运行(从我的项目目录中): supervisor javascripts/index.js 我得到:/usr/bin/env: Node :没有这样的文件或目录 如果我运行: node java
我已遵循使用 Node-Inspector 的所有步骤 但是当我打开应用程序时,我在控制台上看不到任何脚本或日志。 我的应用程序在端口 4000 上运行。我认为唯一可能发生冲突的是端口 8080 上的
我在android中使用rxjava2,有时会遇到这样的问题: Observable.fromArray( // maybe a list about photo url in SD
我目前正在使用 Node 光纤来编写同步服务器端代码。我主要通过 try-catch block 进行错误处理,但外部库或其他小部分异步代码中总是有可能发生错误。我正在考虑使用新的域功能来尝试将这些错
看起来node-debug是node-inspector周围的一个shell?分别什么时候应该使用? 最佳答案 如果您安装node-debug,您只能访问node-debug命令。 如果您安装node
我目前正在代理后面工作,该代理不允许我执行此命令的 HTTP GET 请求阶段: Node node-sass/scripts/build.js 请求阶段: gyp http GET https://
听说node js可以用在服务端。我以前用过jsp。 jsp页面内部的java代码对客户端是不可见的。如果 Node js 只是 javascript,那么它如何对客户端不可见? 最佳答案 首先,No
我正在为 Node native 插件从 node-waf 构建迁移到 node-gyp 构建系统。 node-gyp 说它支持多个目标版本,但我在使用 node-gyp 时找不到如何指定目标 Nod
给定一个 $node ,我正在尝试在以下两种输出该 $node 的方式之间做出决定。 要么 $output = theme('node', $node); 或 node_build_content($
如果package.json中的窗口A打开一个新窗口B,node-main如何访问它?这是我的代码: package.json { "main": "index.html",
我试图在我的 xml 中的特定节点 ( ) 之前插入一个注释节点。这是它的方法: function test(xmlResponse) { var parser = new DOMParse
我正在尝试做npm install wrtc使用 Node 版本 16.14.0 但这还没有完成。它在给npm error code 1所以我试图将 Node 版本更改为以前的 lts 14.19.0
当我在 Visual Studio 中运行 Node.js 应用程序时,我收到以下消息:DeprecationWarning: 'node --debug' 和 'node --debug-brk'
我是一名优秀的程序员,十分优秀!