我使用的是带有Java的Play 2.0.1。到目前为止,我已经使用Promise加载了一个显示数据库中数据的页面。这是原始控制器代码:
public static Result index() {
// Generate the page
final MainPage page = new MainPage();
Promise<MainPage> promiseMainPage = Akka.future(
new Callable<MainPage>() {
public MainPage call() throws Exception {
page.generate();
return page;
}
});
return async(promiseMainPage.map(new Function<MainPage, Result>() {
@Override
public Result apply(MainPage mainPage) throws Throwable {
return ok(views.html.index.render(mainPage));
}
}));
}
这一切都很好;承诺的页面被发送到浏览器,而服务器不阻止数据库查询(在page.generate()
中执行)完成。但是,现在我想使用WebSocket用从DB检索到的新的/修改过的信息来更新页面。因此,我使用了Chat示例来做到这一点(甚至简化了,因为我只想使用传出通道:服务器到客户端)。我在index.scala.html
的末尾添加了以下内容:
<script type="text/javascript" charset="utf-8">
$(function() {
var WS = window['MozWebSocket'] ? MozWebSocket : WebSocket;
var socket = new WS("@(routes.Application.webSocket().webSocketURL(request))");
var receiveEvent = function(event) {
var data = JSON.parse(event.data);
var connectionStatus = data["connectionStatus"];
var connectionStatusHtml = '<font color="red">* Not connected</font>';
if (connectionStatus != undefined) {
connectionStatusHtml = '<font color="blue">' + connectionStatus + '</font>';
}
$('#connectionStatus').html(connectionStatusHtml);
}
socket.onmessage = receiveEvent;
})
</script>
我已经更新了routes
文件,并为webSocket()
请求创建了一个处理程序。
在这一点上,当我试图浏览页面时,我从播放中得到以下错误:
[error] play - Waiting for a promise, but got an error: null
java.lang.RuntimeException: null
at play.libs.F$Promise$2.apply(F.java:113) ~[play_2.9.1.jar:2.0.1]
at akka.dispatch.Future$$anonfun$map$1.liftedTree3$1(Future.scala:625) ~[akka-actor.jar:2.0.1]
at akka.dispatch.Future$$anonfun$map$1.apply(Future.scala:624) ~[akka-actor.jar:2.0.1]
at akka.dispatch.Future$$anonfun$map$1.apply(Future.scala:621) ~[akka-actor.jar:2.0.1]
at akka.dispatch.DefaultPromise.akka$dispatch$DefaultPromise$$notifyCompleted(Future.scala:943) [akka-actor.jar:2.0.1]
at akka.dispatch.DefaultPromise$$anonfun$tryComplete$1$$anonfun$apply$mcV$sp$4.apply(Future.scala:920) [akka-actor.jar:2.0.1]
这种情况发生在return ok(views.html.index.render(mainPage));
。从HTML文件中注释出脚本可以解决这个问题,但当然不会打开WebSocket。
有可能在Play中结合使用Promise和WebSocket吗?也许我错过了使用它?
我不认为您可以将promise与web套接字一起使用。但是,您可以使用Akka在后台执行任务。例如,下面的代码应该让Akka在后台处理更长的操作(数据库查询):
public static WebSocket<String> webSocket() {
return new WebSocket<String>() {
public void onReady(final WebSocket.In<String> in, final WebSocket.Out<String> out) {
in.onMessage(new F.Callback<String>() {
public void invoke(String event) {
Akka.system().scheduler().scheduleOnce(
Duration.Zero(),
new Runnable() {
public void run() {
String result = foo(event);
out.write(result);
}
},
Akka.system().dispatcher()
);
}
});
//Handle in.onClose();
}
};
}