我希望我的udp服務器在一個線程中運行,每次收到一個數據報時都會觸發一個事件,並將數據格式化爲json。如何從運行在服務器中的線程中激發CDI事件?
public class UDPServer extends Thread {
private SocketUDPCommunication comm;
@Inject @Notify
private StatusChangeHandler sch;
public UDPServer() {
comm = new SocketUDPCommunication();
}
@Override
public void run() {
DatagramPacket response;
comm.setPort(Utils.UDP_SERVER_PORT);
comm.createSocket();
while (!Thread.currentThread().isInterrupted()) {
System.out.println("Waiting for clients to connect on port:" + comm.getSocket().getLocalPort());
try {
response = comm.receiveResponse();
} catch (SocketTimeoutException e) {
continue;
}
byte[] byteSend = comm.discardOffset(response);
Status status = frameToJson(byteSend);
Genson genson = new Genson();
String json = genson.serialize(status);
sch.sendChangedStatus(json); //Raise the cdi event, sch not initialized!!
}
}
@Override
public void interrupt() {
super.interrupt();
comm.closeConnection();
}
}
還有的定義對於這個事件的監聽器,它會調用WebSocket的終點法廣播這個消息到所有連接的客戶端:
public class StatusChangeObserver {
public void statusChanged(@Observes StatusChange sce) {
WebsocketEndPoint.sendAll(sce.getJson());
}
}
@ServerEndpoint(value="/websocket")
public class WebsocketEndPoint {
private static Set<Session> userSessions = Collections.synchronizedSet(new HashSet<Session>());
@OnOpen
public void onOpen(Session userSession) {
System.out.println("Opening new connection");
userSessions.add(userSession);
}
@OnClose
public void onClose(Session userSession) {
System.out.println("Connection closed. Id: " + userSession.getId());
userSessions.remove(userSession);
}
public static void sendAll(String message) {
for (Session session : userSessions) {
if (session.isOpen()) {
session.getAsyncRemote().sendText(message);
}
}
}
}
而且處理程序將實際觸發事件:
@Notify
public class StatusChangeHandler {
@Inject
private Event<StatusChange> statusChangedEvent;
public void sendChangedStatus(String json) {
StatusChange sce = new StatusChange(json);
statusChangedEvent.fire(sce);
}
}
StatusChange
是一個簡單的POJO,它將包含要廣播的消息。該@Notify
預選賽:
@Qualifier
@Retention(RUNTIME)
@Target({METHOD, FIELD, PARAMETER, TYPE})
public @interface Notify {
}
這是我的依賴注入的第一步,所以我不太確定我應該如何在線程中觸發事件,以及如何初始化sch
對象。 我發現this page建議使用Weld
和WeldContainer
類來初始化CDI,但我無法用maven找到這個類。這是正確的做法嗎?在那種情況下,任何人都知道如何將這些類包含到我的項目中?
如果您要部署到Tomcat,則需要使用Weld Servlet https://docs.jboss.org/weld/reference/latest/en-US/html/environments.html#weld-servlet,而不是焊接SE。 –