1
zj
2024-08-09 bd3128deee35126344bc4d14a1749409859f9c4f
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
package org.example.websocket.server;
 
import cn.hutool.core.util.NumberUtil;
import cn.hutool.json.JSONUtil;
import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.core.type.TypeReference;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.google.common.reflect.TypeToken;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import lombok.NonNull;
import lombok.extern.slf4j.Slf4j;
import org.apache.commons.lang3.StringUtils;
import org.example.pojo.ConfigCurrency;
import org.example.pojo.MarketDataOut;
import org.example.pojo.bo.WsBo;
import org.example.util.RedisUtil;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.scheduling.concurrent.ThreadPoolTaskExecutor;
import org.springframework.stereotype.Component;
import org.springframework.util.CollectionUtils;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
 
import javax.annotation.PostConstruct;
import javax.websocket.*;
import javax.websocket.server.ServerEndpoint;
import java.io.IOException;
import java.lang.reflect.Type;
import java.math.BigDecimal;
import java.nio.ByteBuffer;
import java.text.SimpleDateFormat;
import java.util.*;
import java.util.concurrent.*;
import java.util.concurrent.atomic.AtomicBoolean;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;
import java.util.stream.Collectors;
import java.util.zip.Deflater;
import java.util.zip.DeflaterOutputStream;
 
/**
 * @ClassDescription: websocket服务端
 * @JdkVersion: 1.8
 * @Created: 2023/8/31 14:59
 */
@Slf4j
@Component
@ServerEndpoint("/websocket-server")
public class WsServer {
 
    private Session session;
    private static AtomicInteger onlineCount = new AtomicInteger(0);
    private static CopyOnWriteArraySet<WsServer> wsServers = new CopyOnWriteArraySet<>();
    // 线程局部变量,用于存储每个线程的数据
    private static final Map<String, WsBo> threadLocalData = new ConcurrentHashMap<>();
 
    @Autowired
    @Qualifier("threadPoolTaskExecutor")
    private ThreadPoolTaskExecutor threadPoolTaskExecutor;
 
    // 定义常量:任务检查的超时时间(秒)
    private static final int SUBSCRIPTION_TIMEOUT_SECONDS = 30;
 
    private ScheduledExecutorService scheduler = Executors.newScheduledThreadPool(1);
    private Map<String, ScheduledFuture<?>> scheduledTasks = new ConcurrentHashMap<>();
 
    @OnOpen
    public void onOpen(Session session) {
 
        this.session = session;
        int count = onlineCount.incrementAndGet();
        wsServers.add(this);
        log.info("与客户端连接成功,当前连接的客户端数量为:{}", count);
 
        // 设置定时任务,在SUBSCRIPTION_TIMEOUT_SECONDS秒后检查是否收到订阅消息
        ScheduledFuture<?> timeoutTask = scheduler.schedule(() -> {
            if (!hasReceivedSubscription(session)) {
                closeSession(session, "未及时发送订阅消息");
            }
        }, SUBSCRIPTION_TIMEOUT_SECONDS, TimeUnit.SECONDS);
        scheduledTasks.put(session.getId(), timeoutTask);
    }
 
    private boolean hasReceivedSubscription(Session session) {
        WsBo wsBo = getWsBoForSession(session.getId());
        String s = RedisUtil.get(wsBo.getUserId().toString());
        if(StringUtils.isEmpty(s) || !wsBo.getToken().equals(s)){
            closeSession(session, "用户未登录");
            Map<String,Integer> map = new HashMap<>();
            map.put("status",1);
            pushMessage(session,JSONUtil.toJsonStr(map));
            return false;
        }
        return wsBo != null;
    }
 
    @OnError
    public void onError(Session session, @NonNull Throwable throwable) {
        threadLocalData.remove(session.getId());
        wsServers.remove(this);
        log.error("连接发生报错: {}", throwable.getMessage());
        throwable.printStackTrace();
    }
 
    @OnClose
    public void onClose() {
        int count = onlineCount.decrementAndGet();
        threadLocalData.remove(session.getId());
        wsServers.remove(this);
        cancelScheduledTasks(); // 取消定时任务
        log.info("服务端断开连接,当前连接的客户端数量为:{}", count);
    }
 
    private void cancelScheduledTasks() {
        ScheduledFuture<?> future = scheduledTasks.remove(this.session.getId());
        if (future != null) {
            future.cancel(true); // 取消定时任务
        }
    }
 
    @OnMessage
    public void onMessage(String message, Session session) throws IOException {
        try {
            if(!message.equals("ping")){
                WsBo bean = JSONUtil.toBean(message, WsBo.class);
                if(null == bean){
                    closeSession(session,"没有订阅消息");
                }
                String s = RedisUtil.get(bean.getUserId().toString());
                if(StringUtils.isEmpty(s)){
                    Map<String,Integer> map = new HashMap<>();
                    map.put("status",1);
                    pushMessage(session,JSONUtil.toJsonStr(map));
                    closeSession(session,"没有订阅消息");
                }
                threadLocalData.put(session.getId(), bean);
            }
        }catch (Exception e){
            log.error("客户段订阅消息格式错误");
        }
    }
 
    private Map<String, Lock> sessionLocks = new ConcurrentHashMap<>();
 
    private Lock getSessionLock(String sessionId) {
        sessionLocks.putIfAbsent(sessionId, new ReentrantLock());
        return sessionLocks.get(sessionId);
    }
 
    public void sendMessageToAll(String message) {
        List<CompletableFuture<Void>> futures = new ArrayList<>();
        wsServers.forEach(ws -> {
            futures.add(CompletableFuture.runAsync(() -> {
                try {
                    Session session = ws.session;
                    if (session != null && session.isOpen()) {
                        Lock sessionLock = getSessionLock(session.getId());
                        sessionLock.lock();
                        try {
                            schedulePushMessage(session, message);
                        } catch (Exception e) {
                            e.printStackTrace();
                            closeSession(session, "发送消息异常,断开链接");
                            log.error("发送消息时出现异常: {}", e.getMessage());
                        } finally {
                            sessionLock.unlock();
                        }
                    } else {
                        closeSession(session, "会话不存在或已关闭");
                        log.error("会话不存在或已关闭,无法发送消息");
                    }
                } catch (Exception e) {
                    log.error("处理消息失败: {}", e.getMessage());
                }
            }, threadPoolTaskExecutor));
        });
 
        // 等待所有任务执行完成
        CompletableFuture.allOf(futures.toArray(new CompletableFuture[0])).join();
    }
 
    private WsBo getWsBoForSession(String sessionId) {
        return threadLocalData.get(sessionId);
    }
 
    private Map<Session, Long> lastMessageTimeMap = new ConcurrentHashMap<>();
 
    private void schedulePushMessage(Session session, String message) throws JsonProcessingException {
        WsBo wsBo = getWsBoForSession(session.getId());
 
        if (wsBo != null) {
 
            String s = RedisUtil.get(wsBo.getUserId().toString());
            if(StringUtils.isEmpty(s) || !s.equals(wsBo.getToken())){
                Map<String,Integer> map = new HashMap<>();
                map.put("status",1);
                pushMessage(session,JSONUtil.toJsonStr(map));
                closeSession(session,"登录状态失效");
            }
 
 
            long currentTime = System.currentTimeMillis();
            long lastMessageTime = lastMessageTimeMap.getOrDefault(session, 0L);
            int time = wsBo.getTime();
 
            message = megFiltration(wsBo,message);
            if (currentTime - lastMessageTime >= time * 1000) {
                // 时间间隔达到要求,可以发送消息
                pushMessage(session, message);
                lastMessageTimeMap.put(session, currentTime); // 更新最后发送时间
            } else {
                // 时间间隔未达到,不发送消息,可以记录日志或者其他操作
//                log.info("距离上次发送消息时间未达到指定间隔,不发送消息。");
            }
        }else{
            Map<String,Integer> map = new HashMap<>();
            map.put("status",1);
            pushMessage(session,JSONUtil.toJsonStr(map));
            closeSession(session,"没有订阅消息");
        }
    }
    private static final Gson gson = new Gson();
    private String megFiltration(WsBo wsBo,String message) throws JsonProcessingException {
        List<MarketDataOut> redisValueMap = gson.fromJson(message, new TypeToken<List<MarketDataOut>>() {}.getType());
        Map<String,Object> map = new HashMap<>();
        String key = "config_";
        String value = RedisUtil.get(key + wsBo.getUserId());
        List<ConfigCurrency> currencies = null;
        if(null != value && !value.isEmpty()){
            ObjectMapper objectMapper = new ObjectMapper();
            currencies = objectMapper.readValue(value, new TypeReference<List<ConfigCurrency>>() {});
        }
        if (!CollectionUtils.isEmpty(currencies)) {
            Set<String> filtrationSet = currencies.stream()
                    .map(f -> f.getCurrency() + f.getBuy() + f.getSell())
                    .collect(Collectors.toSet());
            redisValueMap.removeIf(data -> filtrationSet.contains(data.getBuyAndSell()));
        }
 
 
        //查询币种
        if(StringUtils.isNotEmpty(wsBo.getCurrency())){
            redisValueMap = redisValueMap.stream()
                    .filter(data -> wsBo.getCurrency().equals(data.getBaseAsset()))
                    .collect(Collectors.toList());
        }
        //价差
        redisValueMap = redisValueMap.stream()
                .filter(data -> Double.parseDouble(data.getSpread()) >= wsBo.getSpread())
                .collect(Collectors.toList());
        //最低金额
        if(null !=  wsBo.getMinAmount()){
            redisValueMap = redisValueMap.stream()
                    .filter(data -> new BigDecimal(data.getSellTotalPrice()).compareTo(new BigDecimal(wsBo.getMinAmount())) >= 0 )
                    .collect(Collectors.toList());
        }
        //过滤平台
        if(null != wsBo.getPlatformList()){
            List<String> list = Arrays.asList(wsBo.getPlatformList().split(","));
            redisValueMap = redisValueMap.stream()
                    .filter(data -> !list.contains(data.getBuyingPlatform()) && !list.contains(data.getSellPlatform()))
                    .collect(Collectors.toList());
        }
 
        //过滤数据
        if(null != wsBo.getBuyAndSell()){
            List<String> list = Arrays.asList(wsBo.getBuyAndSell().split(","));
            redisValueMap = redisValueMap.stream()
                    .filter(data -> !list.contains(data.getBuyAndSell()))
                    .collect(Collectors.toList());
        }
        //自选标记
        String mark = RedisUtil.get(wsBo.getUserId() + "_mark");
        if(StringUtils.isNoneEmpty(mark)){
            List<String> list = Arrays.asList(mark.split(","));
            redisValueMap.stream()
                    .filter(data -> list.contains(data.getBuyAndSell()))
                    .forEach(data -> data.setMarker(true));
        }
        map.put("uuid",wsBo.getUuid());
        map.put("current",wsBo.getCurrent());
        map.put("sizes",wsBo.getSizes());
        map.put("total",redisValueMap.size());
        sortBySpread(redisValueMap);
        Integer current = 0;
        if(wsBo.getCurrent() != 1){
            current = (wsBo.getCurrent() - 1) * wsBo.getSizes();
        }
 
        // 确保 startIndex 在有效范围内
        current = Math.min(current, redisValueMap.size());
        // 计算子列表的结束索引
        int endIndex = Math.min(current + wsBo.getSizes(), redisValueMap.size());
        // 根据计算出的索引获取子列表
        redisValueMap = redisValueMap.subList(current, endIndex);
        map.put("data",redisValueMap);
        Gson gson = new GsonBuilder().setPrettyPrinting().create();
        String json = gson.toJson(map);
        return json;
    }
    public static void sortBySpread(List<MarketDataOut> marketDataList) {
        Collections.sort(marketDataList, new Comparator<MarketDataOut>() {
            @Override
            public int compare(MarketDataOut a, MarketDataOut b) {
                // 将买入总价和卖出总价转换为 BigDecimal
                BigDecimal buyTotalPriceA = new BigDecimal(a.getBuyTotalPrice());
                BigDecimal buyTotalPriceB = new BigDecimal(b.getBuyTotalPrice());
                BigDecimal sellTotalPriceA = new BigDecimal(a.getSellTotalPrice());
                BigDecimal sellTotalPriceB = new BigDecimal(b.getSellTotalPrice());
                BigDecimal spreadA = new BigDecimal(a.getSpread());
                BigDecimal spreadB = new BigDecimal(b.getSpread());
 
                // 检查 a 和 b 的买入总价或卖出总价是否大于 1000
                boolean aBuyOrSellAbove1000 = buyTotalPriceA.compareTo(new BigDecimal("1000")) > 0 || sellTotalPriceA.compareTo(new BigDecimal("1000")) > 0;
                boolean bBuyOrSellAbove1000 = buyTotalPriceB.compareTo(new BigDecimal("1000")) > 0 || sellTotalPriceB.compareTo(new BigDecimal("1000")) > 0;
 
                if (aBuyOrSellAbove1000 && !bBuyOrSellAbove1000) {
                    return -1; // a 应排在 b 前面
                } else if (!aBuyOrSellAbove1000 && bBuyOrSellAbove1000) {
                    return 1; // b 应排在 a 前面
                } else {
                    // a 和 b 都大于 1000 或都小于等于 1000
                    // 先按照 spread 的降序排列
                    int spreadComparison = spreadB.compareTo(spreadA);
                    if (spreadComparison != 0) {
                        return spreadComparison; // 先按照 spread 排序
                    } else {
                        // 如果 spread 相同,再按照买入总价或卖出总价的升序排列
                        if (aBuyOrSellAbove1000) {
                            // 对于买入总价或卖出总价大于 1000 的记录
                            return buyTotalPriceA.compareTo(buyTotalPriceB); // 按照买入总价升序排序
                        } else {
                            // 对于买入总价或卖出总价小于等于 1000 的记录
                            return buyTotalPriceA.compareTo(buyTotalPriceB); // 可以选择卖出总价或买入总价的升序排序
                        }
                    }
                }
            }
        });
    }
 
    private void pushMessage(Session session, String message) {
        try {
            if (session != null && session.isOpen()) {
                session.getBasicRemote().sendText(message);
            } else {
                log.error("会话不存在或已关闭,无法推送消息");
            }
        } catch (IOException e) {
            log.error("推送消息时出现IO异常: {}", e.getMessage());
        }
    }
 
    // 关闭会话的方法
    private void closeSession(Session session, String reason) {
        try {
            threadLocalData.remove(session.getId());
            session.close(new CloseReason(CloseReason.CloseCodes.UNEXPECTED_CONDITION, reason));
        } catch (IOException e) {
            log.error("强制断开连接----异常: {}", e.getMessage());
        }
        wsServers.remove(this);
        log.info("客户端未及时发送订阅消息,断开连接");
    }
}