Feats Js限制访问服务器端的页面

时间:2016-10-07 02:22:17

标签: javascript express feathersjs

我正在使用feathers.js,并尝试将对support-info.html页面的访问权限限制为已登录的用户。

const app = feathers();

app.configure(configuration(path.join(__dirname, '..')));

app.use(compress())
  .options('*', cors())
  .use(cors())
  .use(favicon( path.join(app.get('public'), 'favicon.ico') ))

  .use('/payment-info.html', function(req,res,next){
  if(req.isAuthenticated()){
    next();
  } else {
    // 401 Not Authorized
    next(new Error(401));
  }
  })

  .use('/', serveStatic( app.get('public') ))
  .use(bodyParser.json())
  .use(bodyParser.urlencoded({ extended: true }))
  .configure(hooks())
  .configure(rest())
  .configure(socketio())
  .configure(services)
  .configure(middleware);

module.exports = app;

但是,即使用户已登录,req.isAuthenticated()也会返回false。是否有办法将公共目录中页面的访问权限仅限于已登录的用户?

1 个答案:

答案 0 :(得分:5)

要在页面加载方案中执行限制,您需要首先确保令牌位于Cookie中。查看feathers-authentication documentation了解如何启用Cookie。但是,通过cookie不要让自己暴露于CSRF攻击,这一点非常重要。

使用当前版本的feathers-authentication插件,您必须手动设置它。您需要从cookie中读取令牌才能使用渲染中间件:

const jwt = require('jsonwebtoken');
const cookieParser = require('cookie-parser');

app.use(cookieParser());
app.use('/payment-info.html', function(req, res, next) {
  let token = req.cookies['feathers-jwt'];
  if (token) {
    // Get the JWT secret to verify the token.
    let secret = app.get('auth').token.secret;
    jwt.verify(token, secret, function(err, decoded) {
      if (err) {
        return res.status(401).send('You are not authorized to view that page.');
      }
      return next();
    });
  } else {
    return res.status(401).send('You are not authorized to view that page.');
  }
});

重要的是,您绝不允许任何服务直接使用Cookie中的令牌。渲染中间件可以拉动令牌并使用它来发送服务请求,就好像它只是另一个客户端一样,但是你永远不会想要从cookie中取出它并将它放在req.feathers对象上进行内部授权一项服务。这就是你打开API直到CSRF攻击的方式。

此外,如果您正在启用CORS,您很可能希望确保为渲染中间件禁用CORS。仅在您的Feathers服务之前启用CORS。

feathers-authentication@0.7.x的另一个缺点是Cookie到期与令牌的到期不匹配。您需要手动设置Cookie的maxAge到期时间,以匹配您希望令牌有效的时间,如文档中所述。

feathers-authentication@1.x.x(目前处于预发布状态)将包括对服务器端呈现的更好支持,因此您不必自己连接它。它还会使用令牌使cookie过期。