这是Stateful Rsocket Application线程的延续。这是我的例子。
我们目前有三个CORBA对象,如图所示:
因此,在这里我们使用会话对象在我们的服务上执行事务。 为了用rsocket代替它,我们编写了一个简单的protobuf:
message LoginRequest {
string username = 1;
string password = 2;
}
message LoginResponse {
bool success = 1;
}
message Command {
string command = 1;
}
message TransactionResult {
string result = 1;
}
service SimpleService {
rpc login (LoginRequest) returns (LoginResponse) {}
rpc transaction (stream Command) returns (TransactionResult) {}
}
这个想法是,一旦用户登录,他将开始将命令流式传输到服务器。最后,客户端将提交或删除更改。
这是开始向服务器发射值的客户端代码:
public class SimpleClientWrapper {
SimpleServiceClient client;
...
public void runClient() {
SimpleServiceProto.LoginRequest login_request= SimpleServiceProto.LoginRequest.newBuilder().setUsername(this.username).setPassword(this.pass).build();
System.out.println("Trying to log in...");
client.login(login_request).doOnNext(response->{
if(response.getSuccess()) {
runCommands();
}else {
disconnect();
}
}).block();
}
public void runCommands() {
System.out.println("Login successfull. About to run some commands.");
Flux<Command> requests =
Flux.range(1, 11)
.map(i -> "sending -> " + i)
.map(s -> Command.newBuilder().setCommand(s).build());
TransactionResult response = client.transaction(requests).block();
System.out.println("Result was: " + response.getResult());
}
...
}
您可能会看到,客户端将登录runClient方法,如果登录成功,则客户端将执行runCommands方法,该方法仅会发出一些值。
在服务器上,根据protobuf,我创建了交易方法:
@Override
public Mono<TransactionResult> transaction(Publisher<Command> messages, ByteBuf metadata) {
return Flux.from(messages)
.windowTimeout(10, Duration.ofSeconds(500))
.take(1)
.flatMap(Function.identity())
.reduce(
new ConcurrentHashMap<Character, AtomicInteger>(),
(map, s) -> {
char[] chars = s.getCommand().toCharArray();
for (char c : chars) {
map.computeIfAbsent(c, _c -> new AtomicInteger()).incrementAndGet();
}
return map;
})
.map(
map -> {
StringBuilder builder = new StringBuilder();
map.forEach(
(character, atomicInteger) -> {
builder
.append("character -> ")
.append(character)
.append(", count -> ")
.append(atomicInteger.get())
.append("\n");
});
String s = builder.toString();
return TransactionResult.newBuilder().setResult(s).build();
});
}
现在,当我运行它时,由于客户端的阻塞错误,它将无法工作:
Exception in thread "main" java.lang.IllegalStateException: block()/blockFirst()/blockLast() are blocking, which is not supported in thread reactor-tcp-nio-4
但是我的问题不是不是它不起作用,而是我希望每个客户端都与服务器建立会话,并且对于每个客户端,服务器都应该保持事务状态。这是完整代码的git链接:https://github.com/oe19fyfa/rsocket-clientstream-example
因此,在撰写本文之后,我的问题是:建立事务会话的正确方法是什么?我知道我的代码非常业余,所以我愿意接受任何建议?