• springBoot整合讯飞星火认知大模型


    1.概述

    讯飞星火大模型是科大讯飞最近开放的拥有跨领域的知识和语言理解能力的大模型,能够完成问答对话和文学创作等。由于讯飞星火大模型最近可以免费试用,开发者都可以免费申请一个QPS不超过2的账号,用来实现对平台能力的验证。本文将利用Springboot框架对星火大模型进行整合,使其能够提供简单的问答能力。

    2.Springboot整合大模型

    2.1 申请开发者账号

    讯飞星火认知大模型需要在讯飞星火官网进行申请(如下图所示),点击免费试用按钮,填写相关信息即可。
    在这里插入图片描述
    申请成功后可以在控制台查看对应的账号信息(如下图所示),APPID、APPKey、APPSecret都是唯一的,不要轻易泄漏。
    在这里插入图片描述
    至此,账号申请工作完成。由于本文主要展示的是利用JAVA语言来实现对大模型的调用,因此可以在API文档中下载JAVA带上下文的调用示例(如下图所示),通过该文档中的代码可以快速进行一个简单的小测试。
    在这里插入图片描述

    2.2 接口文档参数分析

    在讯飞星火认知大模型的对接文档中,由于结果是流式返回的(不是一次性返回),因此案例中代码通过WebSocket长连接方式与服务器建立连接并发送请求,实时接收返回结果。接口请求参数具体如下:

    {
            "header": {
                "app_id": "12345",
                "uid": "12345"
            },
            "parameter": {
                "chat": {
                    "domain": "general",
                    "temperature": 0.5,
                    "max_tokens": 1024, 
                }
            },
            "payload": {
                "message": {
                    # 如果想获取结合上下文的回答,需要开发者每次将历史问答信息一起传给服务端,如下示例
                    # 注意:text里面的所有content内容加一起的tokens需要控制在8192以内,开发者如有较长对话需求,需要适当裁剪历史信息
                    "text": [
                        {"role": "user", "content": "你是谁"} # 用户的历史问题
                        {"role": "assistant", "content": "....."}  # AI的历史回答结果
                        # ....... 省略的历史对话
                        {"role": "user", "content": "你会做什么"}  # 最新的一条问题,如无需上下文,可只传最新一条问题
                    ]
            }
        }
    }
    
    • 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

    上述请求中对应的参数解释如下:
    在这里插入图片描述
    在这里需要注意的是:app_id就是我们申请的APPID,uid可以区分不同用户。如果想要大模型能够根据结合上下文去进行问题解答,就要把历史问题和历史回答结果全部传回服务端。
    针对上述请求,大模型的接口响应结果如下:

    # 接口为流式返回,此示例为最后一次返回结果,开发者需要将接口多次返回的结果进行拼接展示
    {
        "header":{
            "code":0,
            "message":"Success",
            "sid":"cht000cb087@dx18793cd421fb894542",
            "status":2
        },
        "payload":{
            "choices":{
                "status":2,
                "seq":0,
                "text":[
                    {
                        "content":"我可以帮助你的吗?",
                        "role":"assistant",
                        "index":0
                    }
                ]
            },
            "usage":{
                "text":{
                    "question_tokens":4,
                    "prompt_tokens":5,
                    "completion_tokens":9,
                    "total_tokens":14
                }
            }
        }
    }
    
    • 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

    返回字段的解释如下:
    在这里插入图片描述
    需要注意的是:由于请求结果流式返回,因此需要根据header中的状态值status来进行判断(0代表首次返回结果,1代表中间结果,2代表最后一个结果),一次请求过程中可能会出现多个status为1的结果。

    2.3 设计思路

    本文设计思路如下图所示:
    在这里插入图片描述
    客户端通过webSocket的方式与整合大模型的Springboot进行连接建立,整合大模型的Springboot在接收到客户端请求时,会去创建与讯飞大模型服务端的webSocket长连接(每次请求会创建一个长连接,当获取到所有请求内容后,会断开长连接)。由于本文使用的账号为开发者账号(非付费模式),因此并发能力有限,本文采用加锁方式来控制请求访问。
    Springboot服务与客户端的交互逻辑如下图所示:
    在这里插入图片描述
    Springboot服务与讯飞认知大模型的交互逻辑如下图所示:
    在这里插入图片描述

    2.3 项目结构

    在这里插入图片描述

    2.4 核心代码

    2.4.1 pom依赖

     <properties>
            <netty.verson>4.1.45.Final</netty.verson>
        </properties>
    
        <dependencies>
            <dependency>
                <groupId>org.projectlombok</groupId>
                <artifactId>lombok</artifactId>
            </dependency>
            <dependency>
                <groupId>com.google.code.gson</groupId>
                <artifactId>gson</artifactId>
                <version>2.8.2</version>
            </dependency>
            <dependency>
                <groupId>com.squareup.okhttp3</groupId>
                <artifactId>okhttp</artifactId>
                <version>4.9.0</version>
            </dependency>
            <dependency>
                <groupId>com.alibaba</groupId>
                <artifactId>fastjson</artifactId>
            </dependency>
            <dependency>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-starter</artifactId>
            </dependency>
            <dependency>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-starter-web</artifactId>
            </dependency>
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-context</artifactId>
            </dependency>
            <dependency>
                <groupId>io.netty</groupId>
                <artifactId>netty-all</artifactId>
                <version>${netty.verson}</version>
            </dependency>
        </dependencies>
    
    • 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

    2.4.2 application.properties配置文件

    server.port=9903
    xf.config.hostUrl=https://spark-api.xf-yun.com/v2.1/chat
    xf.config.appId=
    xf.config.apiSecret=
    xf.config.apiKey=
    #最大响应时间,单位:秒
    xf.config.maxResponseTime=30
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7

    2.4.3 config配置文件

    @Data
    @Component
    @ConfigurationProperties("xf.config")
    public class XFConfig {
    
        private String appId;
    
        private String apiSecret;
    
        private String apiKey;
    
        private String hostUrl;
    
        private Integer maxResponseTime;
    
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16

    2.4.4 listener文件

    XFWebClient类主要用于发送请求至大模型服务端,内部有鉴权方法。

    /**
     * @Author: ChengLiang
     * @CreateTime: 2023-10-19  11:04
     * @Description: TODO
     * @Version: 1.0
     */
    @Slf4j
    @Component
    public class XFWebClient {
    
        @Autowired
        private XFConfig xfConfig;
    
        /**
         * @description: 发送请求至大模型方法
         * @author: ChengLiang
         * @date: 2023/10/19 16:27
         * @param: [用户id, 请求内容, 返回结果监听器listener]
         * @return: okhttp3.WebSocket
         **/
        public WebSocket sendMsg(String uid, List<RoleContent> questions, WebSocketListener listener) {
            // 获取鉴权url
            String authUrl = null;
            try {
                authUrl = getAuthUrl(xfConfig.getHostUrl(), xfConfig.getApiKey(), xfConfig.getApiSecret());
            } catch (Exception e) {
                log.error("鉴权失败:{}", e);
                return null;
            }
            // 鉴权方法生成失败,直接返回 null
            OkHttpClient okHttpClient = new OkHttpClient.Builder().build();
            // 将 https/http 连接替换为 ws/wss 连接
            String url = authUrl.replace("http://", "ws://").replace("https://", "wss://");
            Request request = new Request.Builder().url(url).build();
            // 建立 wss 连接
            WebSocket webSocket = okHttpClient.newWebSocket(request, listener);
            // 组装请求参数
            JSONObject requestDTO = createRequestParams(uid, questions);
            // 发送请求
            webSocket.send(JSONObject.toJSONString(requestDTO));
            return webSocket;
        }
    
        /**
         * @description: 鉴权方法
         * @author: ChengLiang
         * @date: 2023/10/19 16:25
         * @param: [讯飞大模型请求地址, apiKey, apiSecret]
         * @return: java.lang.String
         **/
        public static String getAuthUrl(String hostUrl, String apiKey, String apiSecret) throws Exception {
            URL url = new URL(hostUrl);
            // 时间
            SimpleDateFormat format = new SimpleDateFormat("EEE, dd MMM yyyy HH:mm:ss z", Locale.US);
            format.setTimeZone(TimeZone.getTimeZone("GMT"));
            String date = format.format(new Date());
            // 拼接
            String preStr = "host: " + url.getHost() + "\n" +
                    "date: " + date + "\n" +
                    "GET " + url.getPath() + " HTTP/1.1";
            // SHA256加密
            Mac mac = Mac.getInstance("hmacsha256");
            SecretKeySpec spec = new SecretKeySpec(apiSecret.getBytes(StandardCharsets.UTF_8), "hmacsha256");
            mac.init(spec);
    
            byte[] hexDigits = mac.doFinal(preStr.getBytes(StandardCharsets.UTF_8));
            // Base64加密
            String sha = Base64.getEncoder().encodeToString(hexDigits);
            // 拼接
            String authorization = String.format("api_key=\"%s\", algorithm=\"%s\", headers=\"%s\", signature=\"%s\"", apiKey, "hmac-sha256", "host date request-line", sha);
            // 拼接地址
            HttpUrl httpUrl = Objects.requireNonNull(HttpUrl.parse("https://" + url.getHost() + url.getPath())).newBuilder().//
                    addQueryParameter("authorization", Base64.getEncoder().encodeToString(authorization.getBytes(StandardCharsets.UTF_8))).//
                    addQueryParameter("date", date).//
                    addQueryParameter("host", url.getHost()).//
                    build();
    
            return httpUrl.toString();
        }
    
        /**
         * @description: 请求参数组装方法
         * @author: ChengLiang
         * @date: 2023/10/19 16:26
         * @param: [用户id, 请求内容]
         * @return: com.alibaba.fastjson.JSONObject
         **/
        public JSONObject createRequestParams(String uid, List<RoleContent> questions) {
            JSONObject requestJson = new JSONObject();
            // header参数
            JSONObject header = new JSONObject();
            header.put("app_id", xfConfig.getAppId());
            header.put("uid", uid);
            // parameter参数
            JSONObject parameter = new JSONObject();
            JSONObject chat = new JSONObject();
            chat.put("domain", "generalv2");
            chat.put("temperature", 0.5);
            chat.put("max_tokens", 4096);
            parameter.put("chat", chat);
            // payload参数
            JSONObject payload = new JSONObject();
            JSONObject message = new JSONObject();
            JSONArray jsonArray = new JSONArray();
            jsonArray.addAll(questions);
    
            message.put("text", jsonArray);
            payload.put("message", message);
            requestJson.put("header", header);
            requestJson.put("parameter", parameter);
            requestJson.put("payload", payload);
            return requestJson;
        }
    }
    
    • 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

    XFWebSocketListener 类主要功能是与星火认知大模型建立webSocket连接,核心代码如下:

    /**
     * @Author: ChengLiang
     * @CreateTime: 2023-10-18  10:17
     * @Description: TODO
     * @Version: 1.0
     */
    @Slf4j
    public class XFWebSocketListener extends WebSocketListener {
    
        //断开websocket标志位
        private boolean wsCloseFlag = false;
    
        //语句组装buffer,将大模型返回结果全部接收,在组装成一句话返回
        private StringBuilder answer = new StringBuilder();
    
        public String getAnswer() {
            return answer.toString();
        }
    
        public boolean isWsCloseFlag() {
            return wsCloseFlag;
        }
    
        @Override
        public void onOpen(WebSocket webSocket, Response response) {
            super.onOpen(webSocket, response);
            log.info("大模型服务器连接成功!");
        }
    
        @Override
        public void onMessage(WebSocket webSocket, String text) {
            super.onMessage(webSocket, text);
            JsonParse myJsonParse = JSON.parseObject(text, JsonParse.class);
            log.info("myJsonParse:{}", JSON.toJSONString(myJsonParse));
            if (myJsonParse.getHeader().getCode() != 0) {
                log.error("发生错误,错误信息为:{}", JSON.toJSONString(myJsonParse.getHeader()));
                this.answer.append("大模型响应异常,请联系管理员");
                // 关闭连接标识
                wsCloseFlag = true;
                return;
            }
            List<Text> textList = myJsonParse.getPayload().getChoices().getText();
            for (Text temp : textList) {
                log.info("返回结果信息为:【{}】", JSON.toJSONString(temp));
                this.answer.append(temp.getContent());
            }
            log.info("result:{}", this.answer.toString());
            if (myJsonParse.getHeader().getStatus() == 2) {
                wsCloseFlag = true;
                //todo 将问答信息入库进行记录,可自行实现
            }
        }
    
        @Override
        public void onFailure(WebSocket webSocket, Throwable t, Response response) {
            super.onFailure(webSocket, t, response);
            try {
                if (null != response) {
                    int code = response.code();
                    log.error("onFailure body:{}", response.body().string());
                    if (101 != code) {
                        log.error("讯飞星火大模型连接异常");
                    }
                }
            } catch (IOException e) {
                log.error("IO异常:{}", e);
            }
        }
    }
    
    • 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

    2.4.5 netty文件

    NettyServer主要是用来监听指定端口,接收客户端的webSocket请求。

    @Slf4j
    @Component
    public class NettyServer {
    
        /**
         * webSocket协议名
         */
        private static final String WEBSOCKET_PROTOCOL = "WebSocket";
    
        /**
         * 端口号
         */
        @Value("${webSocket.netty.port:62632}")
        private int port;
    
        /**
         * webSocket路径
         */
        @Value("${webSocket.netty.path:/webSocket}")
        private String webSocketPath;
    
        @Autowired
        private WebSocketHandler webSocketHandler;
    
        private EventLoopGroup bossGroup;
    
        private EventLoopGroup workGroup;
    
        /**
         * 启动
         *
         * @throws InterruptedException
         */
        private void start() throws InterruptedException {
            bossGroup = new NioEventLoopGroup();
            workGroup = new NioEventLoopGroup();
            ServerBootstrap bootstrap = new ServerBootstrap();
            // bossGroup辅助客户端的tcp连接请求, workGroup负责与客户端之前的读写操作
            bootstrap.group(bossGroup, workGroup);
            // 设置NIO类型的channel
            bootstrap.channel(NioServerSocketChannel.class);
            // 设置监听端口
            bootstrap.localAddress(new InetSocketAddress(port));
            // 连接到达时会创建一个通道
            bootstrap.childHandler(new ChannelInitializer<SocketChannel>() {
    
                @Override
                protected void initChannel(SocketChannel ch) throws Exception {
                    // 流水线管理通道中的处理程序(Handler),用来处理业务
                    // webSocket协议本身是基于http协议的,所以这边也要使用http编解码器
                    ch.pipeline().addLast(new HttpServerCodec());
                    ch.pipeline().addLast(new ObjectEncoder());
                    // 以块的方式来写的处理器
                    ch.pipeline().addLast(new ChunkedWriteHandler());
            /*
            说明:
            1、http数据在传输过程中是分段的,HttpObjectAggregator可以将多个段聚合
            2、这就是为什么,当浏览器发送大量数据时,就会发送多次http请求
             */
                    ch.pipeline().addLast(new HttpObjectAggregator(8192));
            /*
            说明:
            1、对应webSocket,它的数据是以帧(frame)的形式传递
            2、浏览器请求时 ws://localhost:58080/xxx 表示请求的uri
            3、核心功能是将http协议升级为ws协议,保持长连接
            */
                    ch.pipeline().addLast(new WebSocketServerProtocolHandler(webSocketPath, WEBSOCKET_PROTOCOL, true, 65536 * 10));
                    // 自定义的handler,处理业务逻辑
                    ch.pipeline().addLast(webSocketHandler);
    
                }
            });
            // 配置完成,开始绑定server,通过调用sync同步方法阻塞直到绑定成功
            ChannelFuture channelFuture = bootstrap.bind().sync();
            log.info("Server started and listen on:{}", channelFuture.channel().localAddress());
            // 对关闭通道进行监听
            channelFuture.channel().closeFuture().sync();
        }
    
        /**
         * 释放资源
         *
         * @throws InterruptedException
         */
        @PreDestroy
        public void destroy() throws InterruptedException {
            if (bossGroup != null) {
                bossGroup.shutdownGracefully().sync();
            }
            if (workGroup != null) {
                workGroup.shutdownGracefully().sync();
            }
        }
    
        @PostConstruct()
        public void init() {
            //需要开启一个新的线程来执行netty server 服务器
            new Thread(() -> {
                try {
                    start();
                    log.info("消息推送线程开启!");
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }).start();
        }
    
    }
    
    • 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

    WebSocketHandler主要用于接收客户端发送的消息,并返回消息。

    /**
     * @Author: ChengLiang
     * @CreateTime: 2023-10-17  15:14
     * @Description: TODO
     * @Version: 1.0
     */
    @Slf4j
    @Component
    @ChannelHandler.Sharable
    public class WebSocketHandler extends SimpleChannelInboundHandler<TextWebSocketFrame> {
    
        @Autowired
        private PushService pushService;
    
        @Override
        public void handlerAdded(ChannelHandlerContext ctx) throws Exception {
            log.info("handlerAdded被调用,{}", JSON.toJSONString(ctx));
            //todo 添加校验功能,校验合法后添加到group中
    
            // 添加到channelGroup 通道组
            NettyGroup.getChannelGroup().add(ctx.channel());
        }
    
        @Override
        protected void channelRead0(ChannelHandlerContext ctx, TextWebSocketFrame msg) throws Exception {
            log.info("服务器收到消息:{}", msg.text());
            // 获取用户ID,关联channel
            JSONObject jsonObject = JSON.parseObject(msg.text());
            String channelId = jsonObject.getString("uid");
    
            // 将用户ID作为自定义属性加入到channel中,方便随时channel中获取用户ID
            AttributeKey<String> key = AttributeKey.valueOf("userId");
            //String channelId = CharUtil.generateStr(uid);
            NettyGroup.getUserChannelMap().put(channelId, ctx.channel());
            boolean containsKey = NettyGroup.getUserChannelMap().containsKey(channelId);
            //通道已存在,请求信息返回
            if (containsKey) {
                //接收消息格式{"uid":"123456","text":"中华人民共和国成立时间"}
                String text = jsonObject.getString("text");
                //请求大模型服务器,获取结果
                ResultBean resultBean = pushService.pushMessageToXFServer(channelId, text);
                String data = (String) resultBean.getData();
                //推送
                pushService.pushToOne(channelId, JSON.toJSONString(data));
            } else {
                ctx.channel().attr(key).setIfAbsent(channelId);
                log.info("连接通道id:{}", channelId);
                // 回复消息
                ctx.channel().writeAndFlush(new TextWebSocketFrame(JSON.toJSONString(ResultBean.success(channelId))));
            }
        }
    
        @Override
        public void handlerRemoved(ChannelHandlerContext ctx) throws Exception {
            log.info("handlerRemoved被调用,{}", JSON.toJSONString(ctx));
            // 删除通道
            NettyGroup.getChannelGroup().remove(ctx.channel());
            removeUserId(ctx);
        }
    
        @Override
        public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
            log.info("通道异常:{}", cause.getMessage());
            // 删除通道
            NettyGroup.getChannelGroup().remove(ctx.channel());
            removeUserId(ctx);
            ctx.close();
        }
    
        private void removeUserId(ChannelHandlerContext ctx) {
            AttributeKey<String> key = AttributeKey.valueOf("userId");
            String userId = ctx.channel().attr(key).get();
            NettyGroup.getUserChannelMap().remove(userId);
        }
    }
    
    • 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

    2.4.6 service文件

    PushServiceImpl 主要用于发送请求至讯飞大模型后台获取返回结果,以及根据指定通道发送信息至用户。

    /**
     * @Author: ChengLiang
     * @CreateTime: 2023-10-17  15:58
     * @Description: TODO
     * @Version: 1.0
     */
    @Slf4j
    @Service
    public class PushServiceImpl implements PushService {
    
        @Autowired
        private XFConfig xfConfig;
    
        @Autowired
        private XFWebClient xfWebClient;
    
        @Override
        public void pushToOne(String uid, String text) {
            if (StringUtils.isEmpty(uid) || StringUtils.isEmpty(text)) {
                log.error("uid或text均不能为空");
                throw new RuntimeException("uid或text均不能为空");
            }
            ConcurrentHashMap<String, Channel> userChannelMap = NettyGroup.getUserChannelMap();
            for (String channelId : userChannelMap.keySet()) {
                if (channelId.equals(uid)) {
                    Channel channel = userChannelMap.get(channelId);
                    if (channel != null) {
                        ResultBean success = ResultBean.success(text);
                        channel.writeAndFlush(new TextWebSocketFrame(JSON.toJSONString(success)));
                        log.info("信息发送成功:{}", JSON.toJSONString(success));
                    } else {
                        log.error("该id对于channelId不存在!");
                    }
                    return;
                }
            }
            log.error("该用户不存在!");
        }
    
        @Override
        public void pushToAll(String text) {
            String trim = text.trim();
            ResultBean success = ResultBean.success(trim);
            NettyGroup.getChannelGroup().writeAndFlush(new TextWebSocketFrame(JSON.toJSONString(success)));
            log.info("信息推送成功:{}", JSON.toJSONString(success));
        }
    
        //测试账号只有2个并发,此处只使用一个,若是生产环境允许多个并发,可以采用分布式锁
        @Override
        public synchronized ResultBean pushMessageToXFServer(String uid, String text) {
            RoleContent userRoleContent = RoleContent.createUserRoleContent(text);
            ArrayList<RoleContent> questions = new ArrayList<>();
            questions.add(userRoleContent);
            XFWebSocketListener xfWebSocketListener = new XFWebSocketListener();
            WebSocket webSocket = xfWebClient.sendMsg(uid, questions, xfWebSocketListener);
            if (webSocket == null) {
                log.error("webSocket连接异常");
                ResultBean.fail("请求异常,请联系管理员");
            }
            try {
                int count = 0;
                //参考代码中休眠200ms,若配置了maxResponseTime,若指定时间内未返回,则返回请求失败至前端
                int maxCount = xfConfig.getMaxResponseTime() * 5;
                while (count <= maxCount) {
                    Thread.sleep(200);
                    if (xfWebSocketListener.isWsCloseFlag()) {
                        break;
                    }
                    count++;
                }
                if (count > maxCount) {
                    return ResultBean.fail("响应超时,请联系相关人员");
                }
                return ResultBean.success(xfWebSocketListener.getAnswer());
            } catch (Exception e) {
                log.error("请求异常:{}", e);
            } finally {
                webSocket.close(1000, "");
            }
            return ResultBean.success("");
        }
    }
    
    • 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

    所有代码可参考附录进行获取。

    2.5 测试结果

    在这里插入图片描述
    在这里插入图片描述

    3.小结

    1.本文代码主要用于测试,若考虑并发及性能,需要在上述代码上进行优化;
    2.讯飞星火认知大模型对于日常简单问题的问答效率较高,对诗词表达欠佳;
    3.在本文代码中,部分代码仍可以优化,后续可以将此模块单独抽象成一个springboot-starter,引入即可使用。

    4.参考文献

    1.https://www.xfyun.cn/doc/spark/Web.html
    2.https://console.xfyun.cn/services/bm2

    5.附录

    https://gitee.com/Marinc/nacos/tree/master/xunfei-bigModel

  • 相关阅读:
    java-net-php-python-springboot企业员工管理系统演示录像计算机毕业设计程序
    EMR 集群时钟同步问题及解决方案An error occurred (InvalidSignatureException)
    java锁升级
    Vue3.3指北(三)
    动态网页制作技术
    VLAN间路由:单臂路由与三层交换
    深圳超力源7220 电摩保护板联调时一个CAN盒解决所有的问题
    文献管理软件Zotero的安装和使用
    Leetcode_C++之238. Product of Array Except Self(除本身元素之外数组其他元素的积)
    基于ElasticSearch存储海量AIS数据:AIS数据索引机制篇
  • 原文地址:https://blog.csdn.net/qq_33479841/article/details/133939498