WebSocket学习笔记以及用户与客服聊天案例简单实现(springboot+vue)

news2024/11/29 10:43:23

一:介绍:

二:http协议与websocket对比: 

 三:websocket协议:

 

四:实现:

4.1客户端:

 

4.2服务端:

 

五:案例: 

环境:做一个书店项目时想加一个用户联系客服的功能,寻思可以实现消息的实时通信和把聊天记录保存下来的效果,从网上找了找,决定使用websocket,并把消息保存到redis中。

5.1功能分析:

        历史聊天记录查询:客服在打开消息中心点击某个用户的时候,可以向后端发送请求,从redis中查询自己与该用户的消息记录并渲染到页面上

        发送消息与接收消息:需要用户先向客服发送消息,客服才能回应。在前端上,我们可以写一个方法来发送消息,由服务端接收消息,处理保存在redis中,并转发给客服,客服的回复也是这样的流程

5.3代码概要:

5.3.1服务端代码:

一个message实体类(ChatMessage)用于规定消息的格式,

一个配置类(WebSocketConfig)启用WebSocket功能,注册处理器,添加拦截器,指定访问路径,

一个拦截器(WebSocketInterceptor),拦截websocket请求,从URL中获取用户id,方便在处理消息逻辑中设置转发消息的目标用户,

一个消息接收处理的类(ChatMessageHandler),接收前端的消息,发送到redis中,转给目标用户,

一个控制器(ChatController),前端发送http请求从redis中获取数据

5.3.2客户端代码:

一个用户端的页面,满足基本的发送接收消息和渲染页面

一个客服端的页面,满足发送接收消息和渲染页面,当接收到用户发送的消息时会更新用户列表,显示有对话消息的用户

 5.4全部代码:

5.4.提示:服务端记得导入依赖
<!--        websocket-->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-websocket</artifactId>
            <version>2.7.3</version>
        </dependency>
5.4.提示:前端使用vue native websocket库,在main.js中 
import VueNativeSock from 'vue-native-websocket';

Vue.use(VueNativeSock, 'ws://localhost:8082/chat', {
  format: 'json',
});
5.4.1服务端代码:
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;


/**
 * 这是一个实体类,用于表示聊天消息的数据结构。包括消息的ID、发送者ID、接收者ID、消息内容和发送时间等信息。
 */

@Data
@NoArgsConstructor
@AllArgsConstructor
public class ChatMessage {

    private String senderId;

    private String receiverId;

    private String content;

}
import com.bookstore.handler.ChatMessageHandler;
import com.bookstore.interceptor.WebSocketInterceptor;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.messaging.Message;
import org.springframework.messaging.MessageChannel;
import org.springframework.messaging.simp.SimpMessagingTemplate;
import org.springframework.messaging.simp.config.MessageBrokerRegistry;
import org.springframework.web.socket.config.annotation.EnableWebSocket;
import org.springframework.web.socket.config.annotation.WebSocketConfigurer;
import org.springframework.web.socket.config.annotation.WebSocketHandlerRegistry;
import org.springframework.web.socket.server.HandshakeInterceptor;

import java.util.Arrays;
import java.util.List;

/**
 * 通过@EnableWebSocket注解启用WebSocket功能,
 * 实现WebSocketConfigurer接口来注册WebSocket处理器。在这里,
 * 我们将ChatMessageHandler注册为处理WebSocket消息的处理器,
 * 并指定了访问路径为"/chat"。
 */

@Configuration
@EnableWebSocket
@Slf4j
public class WebSocketConfig implements WebSocketConfigurer {

    @Autowired
    private ChatMessageHandler chatMessageHandler;
    @Autowired
    private WebSocketInterceptor webSocketInterceptor;
    @Bean
    public SimpMessagingTemplate messagingTemplate() {
        SimpMessagingTemplate template = new SimpMessagingTemplate(new MessageChannel() {
            @Override
            public boolean send(Message<?> message, long timeout) {
                // 设置超时时间为5秒
                return false;
            }

            @Override
            public boolean send(Message<?> message) {
                // 设置超时时间为5秒
                return false;
            }
        });

        template.setSendTimeout(5000); // 设置发送消息的超时时间为5秒
        return template;
    }


    @Override
    public void registerWebSocketHandlers(WebSocketHandlerRegistry registry) {
        System.out.println("注册WebSocket处理器...");
        registry.addHandler(chatMessageHandler, "/chat").setAllowedOrigins("*").addInterceptors(webSocketInterceptor);
    }

}
import lombok.extern.slf4j.Slf4j;
import org.springframework.http.server.ServerHttpRequest;
import org.springframework.http.server.ServerHttpResponse;
import org.springframework.http.server.ServletServerHttpRequest;
import org.springframework.stereotype.Component;
import org.springframework.web.socket.WebSocketHandler;
import org.springframework.web.socket.server.HandshakeInterceptor;

import java.util.Map;

/**
 * 拦截器,拦截websocket连接请求,从URL中获取传过来的用户id,添加到属性中,方便消息处理的逻辑
 */

@Component
@Slf4j
public class WebSocketInterceptor implements HandshakeInterceptor {
    @Override
    public boolean beforeHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler, Map<String, Object> attributes) throws Exception {
        System.out.println(request);
        if (request instanceof ServletServerHttpRequest) {
            // 获取连接中的 URL 参数
            String userId = ((ServletServerHttpRequest) request).getServletRequest().getParameter("userId");

            System.out.println("WebSocket连接用户: " + userId);

            // 将参数存储到 attributes 中,以便后续处理
            attributes.put("userId", userId);
        }
        return true;
    }

    @Override
    public void afterHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler, Exception exception) {
        // Do nothing
    }
}
import com.bookstore.pojo.entity.ChatMessage;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.messaging.simp.SimpMessagingTemplate;
import org.springframework.stereotype.Component;
import org.springframework.web.socket.CloseStatus;
import org.springframework.web.socket.TextMessage;
import org.springframework.web.socket.WebSocketSession;
import org.springframework.web.socket.handler.TextWebSocketHandler;

import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;

/**
 * 这是一个WebSocket处理器,继承自TextWebSocketHandler。
 * 它负责接收前端发送的消息,并将消息内容解析为ChatMessage对象,然后将该消息发布到Redis中。
 * 转发给目标用户
 */

@Component
public class ChatMessageHandler extends TextWebSocketHandler {

    @Autowired
    private RedisTemplate redisTemplate;
    @Autowired
    private SimpMessagingTemplate messagingTemplate; // 注入SimpMessagingTemplate
    // 定义一个存储WebSocketSession的Map   根据这个找到转发消息的目的地    admin=StandardWebSocketSession[id=7754d01c-1283-e1c4-aeac-20cd7febba77, uri=ws://localhost:8082/chat?userId=admin]
    private Map<String, WebSocketSession> userSessions = new ConcurrentHashMap<>();


    // 在连接建立时将 WebSocketSession 添加到 Map 中
    @Override
    public void afterConnectionEstablished(WebSocketSession session) throws Exception {
        // 获取属性中的用户id
        Object userIdObj = session.getAttributes().get("userId");
        String userId = userIdObj != null ? userIdObj.toString() : null;

        // 将 WebSocketSession 添加到 Map 中
        userSessions.put(userId, session);
        System.out.println("userSessions--------->" + userSessions);
    }


    // 在连接关闭时从 Map 中移除 WebSocketSession
    @Override
    public void afterConnectionClosed(WebSocketSession session, CloseStatus status) throws Exception {
        Object userIdObj = session.getAttributes().get("userId");
        String userId = userIdObj != null ? userIdObj.toString() : null;
        userSessions.remove(userId);
    }

    // 处理收到的文本消息
    @Override
    protected void handleTextMessage(WebSocketSession session, TextMessage message) throws Exception {
        // 解析消息内容
        ObjectMapper objectMapper = new ObjectMapper();
        ChatMessage chatMessage = objectMapper.readValue(message.getPayload(), ChatMessage.class);
        System.out.println(chatMessage);

        // 获取消息中的相关数据
        String senderId = chatMessage.getSenderId();
        String receiverId = chatMessage.getReceiverId();
        String chatMessageJson = objectMapper.writeValueAsString(chatMessage);

        // 将消息添加到有序集合中  admin:user1
        String key = senderId.compareTo(receiverId) < 0 ? senderId+":"+receiverId : receiverId+":"+senderId;
        // 获取当前时间戳作为消息的分值
        long timestamp = System.currentTimeMillis();
        // 将消息添加到有序集合中,将时间戳作为分值     保持聊天记录的顺序
        redisTemplate.opsForZSet().add(key, chatMessageJson, timestamp);

        // 构造要转发的消息
        ChatMessage newMessage = new ChatMessage();
        newMessage.setSenderId(senderId);
        newMessage.setReceiverId(receiverId);
        newMessage.setContent(chatMessage.getContent());

        // 将消息转换为 JSON 格式
        ObjectMapper objectMapper1 = new ObjectMapper();
        String jsonMessage = objectMapper1.writeValueAsString(newMessage);

        // 获取目标用户的 WebSocketSession
        WebSocketSession targetSession = findTargetSession(receiverId);
        if (targetSession == null || !targetSession.isOpen()) {
            // 目标用户不在线,或者连接已经关闭
            return;
        }

        // 发送消息
        targetSession.sendMessage(new TextMessage(jsonMessage));

    }

    // 根据接收者的 ID 查找对应的 WebSocketSession
    private WebSocketSession findTargetSession(String receiverId) {
            return userSessions.get(receiverId);
    }
}
import com.alibaba.fastjson.JSON;
import com.bookstore.pojo.entity.ChatMessage;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.web.bind.annotation.*;

import java.util.ArrayList;
import java.util.List;
import java.util.Set;

/**
 * 前端发送请求从redis中获取数据
 */

@CrossOrigin(origins = "http://localhost:8081")
@RestController
@RequestMapping("/api/chat")
public class ChatController {

    @Autowired
    private RedisTemplate redisTemplate;

    @GetMapping("/messages/{senderId}/{receiverId}")
    public List<ChatMessage> getMessages(@PathVariable String senderId, @PathVariable String receiverId) {
        // 获取最近的30条消息
        String key = senderId.compareTo(receiverId) < 0 ? senderId+":"+receiverId : receiverId+":"+senderId;
        Set<String> recentMessages = redisTemplate.opsForZSet().range(key, -30, -1);
        List<ChatMessage> chatMessages = new ArrayList<>();
        for (String messageJson : recentMessages) {
            ChatMessage chatMessage = JSON.parseObject(messageJson, ChatMessage.class);
            chatMessages.add(chatMessage);
        }
        return chatMessages;
    }

    @GetMapping("/messages/all")
    public List<ChatMessage> getAllMessages() {
        String keyPattern = "admin:*"; // 匹配所有管理员和用户的键名
        Set<String> keys = redisTemplate.keys(keyPattern);
        List<ChatMessage> chatMessages = new ArrayList<>();
        for (String key : keys) {
            Set<String> messages = redisTemplate.opsForZSet().range(key, 0, -1);
            for (String msgJson : messages) {
                ChatMessage chatMessage = JSON.parseObject(msgJson, ChatMessage.class);
                chatMessages.add(chatMessage);
            }
        }
        return chatMessages;
    }

}
5.4.2前端用户端代码:

前端这两个代码中有一些是我自己写好的组件,对聊天这部分逻辑没什么影响,大家主要看看script中的逻辑就行,style里面的样式也很杂乱,我也不太懂,凑合看吧,样式部分太难了我也不会

<template>
  <div class="container">
    <AdminNav></AdminNav>
    <Header>
      <MyDialog>欢迎登录网上书店管理端系统</MyDialog>
    </Header>
    <div class="message-container">
      <div class="user-list-container">
        <h3>用户列表</h3>
        <ul>
          <li v-for="user in userList" :key="user" @click="selectUser(user)">
            {{ user }}
          </li>
        </ul>
      </div>

      <div class="chat-container" v-if="this.selectedUser !== null">
        <h3
          style="
            margin-bottom: 5px;
            background-color: #e0e0e0;
            padding-bottom: 5px;
            padding-top: 5px;
          "
        >
          与{{ selectedUser }}的聊天记录
        </h3>
        <div class="messages-container">
          <ul class="messages">
            <li
              v-for="msg in messages"
              :key="msg.id"
              :class="[
                msg.senderId !== userInfo.userName ? 'received' : 'sent',
              ]"
            >
              {{
                msg.senderId === userInfo.userName
                  ? "我:"
                  : msg.senderId + ":"
              }}
              <div
                class="message-box"
                :class="{ 'sent-message': msg.senderId === userInfo.userName }"
              >
                {{ msg.content }}
              </div>
            </li>
          </ul>
          <div class="input-container">
            <input type="text" v-model="message" placeholder="请输入消息..." />
            <button @click="sendMessage">Send</button>
          </div>
        </div>
      </div>
    </div>
    <Footer class="Footer"></Footer>
  </div>
</template>

<script>
import axios from "axios";
import AdminNav from "../../components/AdminAbout/AdminNav";
import Footer from "../../components/Common/Footer";
import Header from "../../components/Common/HeadNav";

export default {
  name: "adminIndex",
  components: {
    AdminNav,
    Footer,
    Header,
  },
  data() {
    return {
      userInfo: JSON.parse(localStorage.getItem("userInfo")),
      message: "",
      messages: [],
      ws: null,
      selectedUser: null, // 当前选中的用户
      userList: [],
    };
  },
  methods: {
    sendMessage() {
      //发送消息
      if (this.ws.readyState === WebSocket.OPEN) {
        // 构造聊天消息对象
        const chatMessage = {
          senderId: this.userInfo.userName,
          receiverId: this.selectedUser,
          content: this.message,
        };
        // 发送WebSocket消息
        this.ws.send(JSON.stringify(chatMessage));
        // 将发送的消息添加到消息列表中
        this.messages.push(chatMessage);
        this.message = ""; // 清空输入框
      } else {
        console.log("WebSocket连接未建立");
      }
    },
    selectUser(senderId) {
      //选择聊天的用户获取聊天记录
      this.selectedUser = senderId;
      console.log(this.selectedUser);
      // 发送请求获取Redis中的数据
      axios
        .get(
          `http://localhost:8082/api/chat/messages/${this.selectedUser}/${this.userInfo.userName}`
        )
        .then((response) => {
          this.messages = response.data;
          console.log(this.messages);
        })
        .catch((error) => {
          console.error("从Redis中获取消息失败:", error);
        });
    },
    updateFilteredUsers() {
      // 过滤掉已经存在于 messages 数组中的用户,并且过滤掉当前用户
      this.userList = this.filteredUsers.filter(
        (user) => user !== this.userInfo.userName
      );
    },
  },
  computed: {
    filteredUsers() {
      // 过滤掉已经存在于 messages 数组中的用户,并且过滤掉当前用户
      return [...new Set(this.messages.map((msg) => msg.senderId))].filter(
        (user) => user !== this.userInfo.userName
      );
    },
  },
  mounted() {
    const userId = this.userInfo.userName;
    this.ws = new WebSocket(`ws://localhost:8082/chat?userId=${userId}`); // 创建 WebSocket 连接对象
    this.ws.onopen = () => {
      console.log("WebSocket connected");
      // 发送请求获取Redis中的数据
      axios
        .get("http://localhost:8082/api/chat/messages/all")
        .then((response) => {
          this.messages = response.data;
          console.log(this.messages);
          // 获取成功后更新用户列表
          this.$nextTick(() => {
            this.updateFilteredUsers();
            console.log(this.userList);
          });
        })
        .catch((error) => {
          console.error("从Redis中获取消息失败:", error);
        });
    };
    this.ws.onmessage = (event) => {
      console.log("Received message: " + event.data);
      // 获取成功后更新用户列表
      this.$nextTick(() => {
            this.updateFilteredUsers();
            console.log(this.userList);
          });
      const message = JSON.parse(event.data); // 解析接收到的消息
      this.messages.push(message); // 将解析后的消息添加到 messages 数组中
    };
    this.ws.onerror = (error) => {
      console.error("WebSocket error: " + error);
    };
    this.ws.onclose = () => {
      console.log("WebSocket closed");
    };
  },
  beforeDestroy() {
    if (this.ws) {
      this.ws.close(); // 在组件销毁前关闭 WebSocket 连接
    }
  },
};
</script>

<style scoped>
/* 确保Footer组件始终固定在底部 */
.Footer {
  position: fixed;
  left: 0;
  bottom: 0;
  width: 100%;
}
.container {
  display: flex;
  flex-direction: column;
  height: 100vh; /* 设置容器高度为 100% 视口高度 */
}
.message-container {
  display: flex;
  flex-grow: 1;
}
.user-list-container {
  width: 15%;
  background-color: #f5f5f5;
  padding: 10px;
  border: skyblue solid 2px;
}
.user-list-container h3 {
  font-size: 18px;
  margin-bottom: 10px;
}
.user-list-container ul {
  list-style-type: none;
  padding: 0;
  margin: 0;
}
.user-list-container li {
  margin-bottom: 10px;
  cursor: pointer;
  transition: all 0.2s ease-in-out;
  color: red;
  height: 30px;
  font-size: 20px;
  margin-top: 10px;
  margin-left: 20px;
  border: skyblue solid 2px;
}
.user-list-container li:hover {
  background-color: #e0e0e0;
}

.chat-container {
  flex-grow: 1;
  padding: 10px;
}
.chat-container ul {
  height: calc(100% - 50px); /* 减去输入框和按钮的高度 */
  overflow-y: auto; /* 添加滚动条 */
}

.messages-container {
  flex-grow: 1;
  display: flex;
  flex-direction: column;
  overflow-y: auto;
}
.received {
  align-self: flex-start;
}

.sent {
  align-self: flex-end;
}
.messages {
  list-style-type: none;
  padding: 0;
  margin: 0;
  overflow-y: auto;
  max-height: 400px; /* 设置最大高度,超出部分将显示滚动条 */
  border: #4caf50 solid 2px;
}

.input-container {
  position: relative;
  width: 100%;
  height: 100px;
  background-color: #f5f5f5;
  display: flex;
  padding: 10px;
  padding-left: 0px;
  margin-top: auto; /* 将上边距设为auto */
}

.input-container > input {
  flex-grow: 1;
  height: 40px; /* 调整输入框的高度 */
  padding: 5px; /* 调整输入框的内边距 */
  font-size: 16px;
  border: none;
  outline: none;
  border-radius: 5px;
}

.input-container > button {
  height: 40px;
  width: 100px;
  margin-left: 10px; /* 调整按钮和输入框之间的间距 */
  background-color: #4caf50;
  color: white;
  border: none;
  font-size: 16px;
  border-radius: 5px;
  cursor: pointer;
}

/* 消息样式 */
.messages li {
  padding: 5px;
}

.message-box {
  display: inline-block;
  padding: 10px;
  border-radius: 10px;
}

.sent-message {
  background-color: lightgreen;
}
</style>
5.4.3前端客服端代码:
<template>
  <div class="container">
    <Nav></Nav>
    <Header>
      <MyDialog>请在这里与您的专属客服联系!</MyDialog>
    </Header>
    <div class="message-container">
      <ul class="messages">
        <p style="padding-top: 10px; padding-left: 5px; padding-bottom: 10px; font-size: 17px;">系统消息:你好,请问有什么需要吗?</p>
        <li v-for="msg in messages" :key="msg.id" :class="[msg.senderId !== userInfo.userName ? 'received' : 'sent']">
          {{ msg.senderId === userInfo.userName ? '我' : '客服-' + msg.senderId }}:
          <div class="message-box" :class="{'sent-message': msg.senderId === userInfo.userName}">
            {{ msg.content }}
          </div>
        </li>
      </ul>
      <div class="input-container">
        <input type="text" v-model="message" placeholder="请输入消息..."/>
        <button @click="sendMessage">Send</button>
      </div>
    </div>
    <Footer class="Footer"></Footer>
  </div>
</template>
  
  <script>
import axios from "axios";
import Nav from "../../components/Common/Nav";
import Footer from "../../components/Common/Footer";
import Header from "../../components/Common/HeadNav";

export default {
  name: "ContactMerchant",
  components: {
    Nav,
    Footer,
    Header,
  },
  data() {
    return {
      userInfo: JSON.parse(localStorage.getItem("userInfo")),
      message: "",
      messages: [],
      ws: null,
    };
  },
  methods: {
    sendMessage() {
      if (this.ws.readyState === WebSocket.OPEN) {
        // 构造聊天消息对象
        const chatMessage = {
          senderId: this.userInfo.userName,
          receiverId: "admin",
          content: this.message,
        };
        // 发送WebSocket消息
        this.ws.send(JSON.stringify(chatMessage));
        // 将发送的消息添加到消息列表中
        this.messages.push(chatMessage);
        this.message = ""; // 清空输入框
      } else {
        console.log("WebSocket连接未建立");
      }
    },
  },

  mounted() {
    const userId = this.userInfo.userName;
    this.ws = new WebSocket(`ws://localhost:8082/chat?userId=${userId}`); // 创建 WebSocket 连接对象
    this.ws.onopen = () => {
      console.log("WebSocket connected");
      // 发送请求获取Redis中的数据
      axios
        .get(
          `http://localhost:8082/api/chat/messages/admin/${this.userInfo.userName}`
        )
        .then((response) => {
          this.messages = response.data;
        })
        .catch((error) => {
          console.error("从Redis中获取消息失败:", error);
        });
    };
    this.ws.onmessage = (event) => {
      console.log("Received message: " + event.data);
      const message = JSON.parse(event.data); // 解析接收到的消息
      this.messages.push(message); // 将解析后的消息添加到 messages 数组中
    };
    this.ws.onerror = (error) => {
      console.error("WebSocket error: " + error);
    };
    this.ws.onclose = () => {
      console.log("WebSocket closed");
    };
  },
  beforeDestroy() {
    if (this.ws) {
      this.ws.close(); // 在组件销毁前关闭 WebSocket 连接
    }
  },
};
</script>
  
<style scoped>
/* 布局样式 */
.container {
  display: flex;
  flex-direction: column;
  height: 100vh;
}

.message-container {
  flex-grow: 1;
  display: flex;
  flex-direction: column;
}

.messages {
  list-style-type: none;
  padding: 0;
  margin: 0;
  overflow-y: auto;
  max-height: 450px; /* 设置最大高度,超出部分将显示滚动条 */
  border: #4caf50 solid 2px;
}

.input-container {
  position: absolute;
  bottom: 0;
  left: 0;
  width: 100%;
  height: 120px; /* 调整输入框容器的高度 */
  background-color: #f5f5f5;
  display: flex;
  padding: 10px; /* 添加一些内边距 */
}

.input-container > input {
  flex-grow: 1;
  padding: 5px; /* 调整输入框的内边距 */
  font-size: 16px;
  border: none;
  outline: none;
  border-radius: 5px;
  height: 40px;
}

.input-container > button {
  height: 40px;
  width: 100px;
  margin-left: 10px; /* 调整按钮和输入框之间的间距 */
  background-color: #4caf50;
  color: white;
  border: none;
  font-size: 16px;
  border-radius: 5px;
  cursor: pointer;
}

/* 消息样式 */
.messages li {
  padding: 5px;
}

.received {
  align-self: flex-start;
}

.sent {
  align-self: flex-end;
}

.message-box {
  display: inline-block;
  padding: 10px;
  border-radius: 10px;
}

.sent-message {
  background-color: lightgreen;
}

/* 确保Footer组件始终固定在底部 */
.Footer {
  position: fixed;
  left: 0;
  bottom: 0;
  width: 100%;
}
</style>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1432372.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

从0到1学Binder-环境准备

前言 终于要开始啃 binder 了&#xff0c;其实还没准备好&#xff0c;但是先走出去吧&#xff0c;目标是 2024 年一个整年能把 binder 学完。 我的微信公众号“ZZH的Android”&#xff0c;还有更多 Android 系统源码解析的干货文章等着你。 1 环境配置 Ubuntu 22.04 Cuttl…

计算机网络——03网络核心

网络核心 网络核心 网络核心&#xff1a;路由器的网络状态基本问题&#xff1a;数据怎样通过网络进行传输 电路交换&#xff1a;为每个呼叫预留一条专有电路分组交换 将要传送的数据分成一个个单位&#xff1a;分组将分组从一个路由器传到相邻路由器&#xff08;hop&#xff…

Jenkins(本地Windows上搭建)上传 Pipeline构建前端项目并将生成dist文件夹上传至指定服务器

下载安装jdk https://www.oracle.com/cn/java/technologies/downloads/#jdk21-windows 下载jenkins window版 双击安装 https://www.jenkins.io/download/thank-you-downloading-windows-installer-stable/ 网页输入 http://localhost:8088/ 输入密码、设置账号、安装推…

张维迎《博弈与社会》威胁与承诺(3)承诺行为

承诺的作用 上一节&#xff0c;我们探讨了如何在求解博弈时把不可置信的威胁或许诺排除出去&#xff0c;从而对参与人的行为做出合理的预测。如前所述&#xff0c;其中一个隐含的前提条件是&#xff0c;参与人要具有理性共识。而理性共识是一个要求很高的条件&#xff0c;现实生…

Zoho Projects与Jira:中国市场的理想替代品之争?

在软件开发生命周期中&#xff0c;项目管理一直是一个非常重要的环节。为了更好地协作、追踪项目的进程和管理任务&#xff0c;许多公司选择了Jira这款著名的项目管理工具&#xff0c;它是个非常强大的工具&#xff0c;但是作为一款纯国外产品&#xff0c;他可能不适合中国市场…

Leetcode—535. TinyURL 的加密与解密【中等】

2024每日刷题&#xff08;110&#xff09; Leetcode—535. TinyURL 的加密与解密 实现代码 class Solution { public:// Encodes a URL to a shortened URL.string encode(string longUrl) {while(!urlToCode.count(longUrl)) {string code;for(int i 0; i < 6; i) {code…

Day3.

1.信号 #include <head.h> //定义自定义信号处理函数 void handler(int signo) {if(signo SIGINT){printf("按下ctrl c键\n");}return; }int main(int argc,const char *argv[]) {if(signal(SIGINT, handler) SIG_ERR){perror("error\n");return…

Codeforces Beta Round 11 D. A Simple Task 【状压DP + 环计数】

D. A Simple Task 题意 给定一个简单图&#xff08;无重边无自环&#xff09;&#xff0c;求出其中的环的数量&#xff08;一个环除了起点和终点一样以外&#xff0c;没有另外的两个相同的点&#xff09; 思路 为了区分不同的环&#xff0c;我们可以统一地用环内编号最小来区…

论文阅读-CARD:一种针对复制元数据服务器集群的拥塞感知请求调度方案

论文名称&#xff1a;CARD: A Congestion-Aware Request Dispatching Scheme for Replicated Metadata Server Cluster 摘要 复制元数据服务器集群&#xff08;RMSC&#xff09;在分布式文件系统中非常高效&#xff0c;同时面对数据驱动的场景&#xff08;例如&#xff0c;大…

oracle主库增加redo组数

redo log&#xff08;重做日志&#xff09;&#xff1a; 重做日志&#xff1a;简单来说就是&#xff0c;将oracle数据库的DML、DDL&#xff08;数据库操作语言&#xff0c;数据库定义i语言&#xff09;操作记录在日志中&#xff0c;方便恢复及备库使用&#xff0c;以组的方式管…

【消息队列】kafka整理

kafka整理 整理kafka基本知识供回顾。

yo!这里是单例模式相关介绍

目录 前言 特殊类设计 只能在堆上创建对象的类 1.方法一&#xff08;构造函数下手&#xff09; 2.方法二&#xff08;析构函数下手&#xff09; 只能在栈上创建对象的类 单例模式 饿汉模式实现 懒汉模式实现 后记 前言 在面向找工作学习c的过程中&#xff0c;除了基本…

简易计算器的制作(函数指针数组的实践)

个人主页&#xff08;找往期文章&#xff09;&#xff1a;我要学编程(ಥ_ಥ)-CSDN博客 前期思路&#xff08;菜单的制作等&#xff09;&#xff1a;利用C语言的分支循环少量的函数知识写一个猜数字的小游戏-CSDN博客 计算器的制作其实与游戏没有很大的区别。 #include <st…

JupyterLab 更换内核 使用 conda 虚拟环境

未有conda虚拟环境default先创建环境 conda create -n default python3.8 ipykernel已有conda虚拟环境default激活后安装ipykernel conda activate defaultpip install ipykernel将虚拟环境写入 jupyter notebook 的 kernel 中 python -m ipykernel install --user --name 虚…

详解洛谷P2912 [USACO08OCT] Pasture Walking G(牧场行走)(lca模板题)

题目 思路 一道模板题&#xff0c;没啥好说的&#xff0c;直接见代码 代码 #include <bits/stdc.h> using namespace std; int n,q,a,to[100001][22],b,deep[100001],c,t[1000001]; struct ff {int id,len; }; vector<ff> vec[100001]; void dfs(int x,int fa,i…

<设计模式>单例模式懒汉和饿汉

目录 一、单例模式概述 二、懒汉模式和饿汉模式 1.饿汉模式 1.1代码实现 1.2实现细节 1.3模式优劣 2.懒汉模式 2.1代码实现 2.2实现细节 2.3模式优劣 三、多线程下的线程安全问题 1.懒汉和饿汉线程安全问题分析 1.1安全的饿汉模式 1.2不安全的懒汉模式 2.懒汉线程…

牛客周赛 Round 31

D. 思路&#xff1a;使用map构造两个链表。 #include <bits/stdc.h> using namespace std;map<int,int> l,r; int main() {int q;cin>>q;int op-1e9-1;int ed1e91;r[op]ed;l[ed]op;while(q--){int a;cin>>a;if(a1){int x,y;cin>>x>>y;int…

SpringBoot:实例一

一、实现的效果 在浏览器地址栏输入http://localhost:8080/hello&#xff0c;当前页面显示hello world 实例一代码&#xff1a;点击查看LearnSpringBoot01 点击查看更多的SpringBoot教程 二、 效果图 三、 pom.xml代码 <?xml version"1.0" encoding"UTF-…

JS(react)图片压缩+图片上传

上传dome var fileNodeTakeStock: any createRef();<inputref{fileNodeTakeStock}onChange{showPictureTakeStock}style{{ display: "none" }}id"fileInpBtn"type"file"accept"image/*" //限制上传格式multiple{false}capture&qu…

JS 基本语句

函数调用&#xff0c;分支&#xff0c;循环&#xff0c;语句示例。 <!DOCTYPE html> <html lang"en"><head><meta charset"UTF-8"><meta name"viewport" content"widthdevice-width, initial-scale1.0"&g…