1

似乎该await()方法失去了上下文:

public static action() {
    session.put("key", "value");
    await(someAsyncCall());

    // Now, for some reason the session doesn't have "key"
}

这是一个已知的问题?任何解决方法?

4

2 回答 2

2

那是不幸的。由于 session 是一个线程局部变量,它不会在新线程之间传递(在您的示例中发生)。令人误解和令人惊讶的是,当代码在 await 方法之后恢复时,会有一个会话变量(但它是一个不同的实例)。

我会说这是一个错误 - 我希望在 await 调用周围维护会话上下文。

也就是说,我明白为什么这很棘手。当您使用 await 时,您实际上是在至少三个线程中编写代码。之前的部分、作业/异步调用和之后的部分。追根溯源,真是奇妙。

即便如此,我同意应该保持请求的会话状态,所以我建议你提出一个问题:https ://play.lighthouseapp.com/projects/57987-p​​lay-framework/tickets/new

下面是一种通过异步调用传递会话映射来复制会话映射的解决方法。您可以编写一个始终执行此操作的简单包装器 Job。

public static void test() {
    Logger.debug("before: Session.current() " + Session.current());
    Session.current().put("key", new Date().toString());
    Job<Session> async = new Job<Session>() {
        Session sessionPassed = Session.current();

        @Override
        public Session doJobWithResult() throws Exception {
            Logger.debug("during job: Session.current() "
                    + Session.current());
            Logger.debug("during job: sessionPassed " + sessionPassed);
            Thread.sleep(1000L);

            // you could do something like this to wrap a real 
            // async call and maintain the session context.  If 
            // the async job returns a result, you'll have to return 
            // a map or POJO with the session and the result.

            actualJob.now();  

            return sessionPassed;
        }
    };
    Session sessionReturned = await(async.now());
    Logger.debug("after: Session.current() ="
            + (Session.current() == null ? "no session" : Session.current()));
    Logger.debug("after: " + sessionReturned);

    Session.current().all().putAll(sessionReturned.all());

    Logger.debug("finally: "
            + (Session.current() == null ? "no session" : Session.current()));
}

编辑:

或者,您可以使用 Cache.set() 存储会话映射 - 这可能比传递它更干净。

顺便说一句,我很少使用 session 来存储用户数据。每个 cookie(即会话正在运行的内容)都会减慢您的 http 请求(了解 cookie 的工作原理)。我更喜欢做的是使用缓存在服务器端创建一个地图(例如 Cache.set(session.getId(),userDataMap))。显然每个用例可能不同,但我更喜欢这种方式来维护用户状态。

于 2012-12-31T13:10:24.643 回答
0

Play 1.2.5 的解决方法,如果只需要保留会话 ID,请使用以下内容代替直接调用 await(...)

protected static <T> T awaitSessionAware(Future<T> future) {
    final String sessionId = session.getId();
    T result = await(future);
    session.put("___ID", sessionId);
    return result;
}

上面的代码是此处概述的问题的解决方法,其中在 await(..) 调用之后创建新会话而不是重用现有会话。对原始会话 ID 的引用用于在等待调用后重置会话 ID(即 session.put("___ID", sessionId) 将会话 ID 重置为其等待前的值)。

于 2014-07-08T22:19:46.863 回答