hapi.js - 成功验证后如何重定向到最初请求的路由?

时间:2015-08-08 03:45:58

标签: node.js authentication hapijs

hapi.js中有reply.redirect('back')之类的东西吗?我试图在用户成功登录之前将用户重定向回他们请求的原始页面。

1 个答案:

答案 0 :(得分:5)

使用hapi-auth-cookie方案时,有一个方便的设置用于此目的。看看appendNext in the options

当您将其设置为true时,重定向到您的登录页面将包含查询参数nextnext 将等于原始请求的请求路径

然后,您可以在成功登录时使用此选项重定向到所需的页面。这是一个可运行的示例,您可以根据自己的需要进行操作并进行修改:

var Hapi = require('hapi');

var server = new Hapi.Server();
server.connection({ port: 8080 });

server.register(require('hapi-auth-cookie'), function (err) {

    server.auth.strategy('session', 'cookie', {
        password: 'secret',
        cookie: 'sid-example',
        redirectTo: '/login',
        appendNext: true,      // adds a `next` query value
        isSecure: false
    });
});

server.route([
    {
        method: 'GET',
        path: '/greetings',
        config: {
            auth: 'session',
            handler: function (request, reply) {

                reply('Hello there ' + request.auth.credentials.name);
            }
        }
    },
    {
        method: ['GET', 'POST'],
        path: '/login',
        config: {
            handler: function (request, reply) {

                if (request.method === 'post') {
                    request.auth.session.set({
                        name: 'John Doe'    // for example just let anyone authenticate
                    });

                    return reply.redirect(request.query.next); // perform redirect
                }

                reply('<html><head><title>Login page</title></head><body>' + 
                      '<form method="post"><input type="submit" value="login" /></form>' +
                      '</body></html>');
            },
            auth: {
                mode: 'try',
                strategy: 'session'
            },
            plugins: {
                'hapi-auth-cookie': {
                    redirectTo: false
                }
            }
        }
    }
]);

server.start(function (err) {

    if (err) {
        throw err;
    }

    console.log('Server started!');
});

要测试一下:

  • 在浏览器中导航至http://localhost:8080/greetings
  • 您将重定向到/login
  • 点击登录按钮
  • 将帖子发布到/login,然后在成功时重定向到/greetings
相关问题