SpringBoot集成腾讯IM流程

1.application.yaml中添加IM配置信息

#im模块
im:  identifier: admin  sdkappid: 1400888888  key: ccf2dc88c1ca232cfabbd24906d5091ab81ba0250224abc

2.封装IM工具类

Component
@Getter
@RefreshScope
public class ImAdminSignConfig {/*** 签名*/private String usersig;/*** 管理员id*/@Value("${im.identifier}")private String identifier;/*** im容器id*/@Value("${im.sdkappid}")private long sdkappid;/*** im容器key*/@Value("${im.key}")private String key;/*** im的api请求参数集合*/private HashMap<String, String> uriParams;@PostConstructvoid init() {usersig = TencentImUserSignUtil.genUserSig(identifier, 60 * 60 * 24 * 180, sdkappid, key);uriParams = new HashMap<>(16);// 半年签名uriParams.put("usersig", usersig);uriParams.put("identifier", identifier);uriParams.put("sdkappid", String.valueOf(sdkappid));}/*** 腾讯im签名**/public String genUserSig(String usersig, long expire) {return TencentImUserSignUtil.genUserSig(usersig, expire, sdkappid, key);}/*** 腾讯im签名**/public static class TencentImUserSignUtil {/*** 【功能说明】用于签发 TRTC 和 IM 服务中必须要使用的 UserSig 鉴权票据* <p>* 【参数说明】** @param userid - 用户id,限制长度为32字节,只允许包含大小写英文字母(a-zA-Z)、数字(0-9)及下划线和连词符。* @param expire - UserSig 票据的过期时间,单位是秒,比如 86400 代表生成的 UserSig 票据在一天后就无法再使用了。* @return usersig -生成的签名*/public static String genUserSig(String userid, long expire, long sdkappid, String key) {return genUserSig(userid, expire, null, sdkappid, key);}private static String hmacsha256(String identifier, long currTime, long expire, String base64Userbuf, long sdkappid, String key) {String contentToBeSigned = "TLS.identifier:" + identifier + "\n"+ "TLS.sdkappid:" + sdkappid + "\n"+ "TLS.time:" + currTime + "\n"+ "TLS.expire:" + expire + "\n";if (null != base64Userbuf) {contentToBeSigned += "TLS.userbuf:" + base64Userbuf + "\n";}try {byte[] byteKey = key.getBytes(StandardCharsets.UTF_8);Mac hmac = Mac.getInstance("HmacSHA256");SecretKeySpec keySpec = new SecretKeySpec(byteKey, "HmacSHA256");hmac.init(keySpec);byte[] byteSig = hmac.doFinal(contentToBeSigned.getBytes(StandardCharsets.UTF_8));return (Base64.getEncoder().encodeToString(byteSig)).replaceAll("\\s*", "");} catch (NoSuchAlgorithmException | InvalidKeyException e) {return "";}}private static String genUserSig(String userid, long expire, byte[] userbuf, long sdkappid, String key) {long currTime = System.currentTimeMillis() / 1000;JSONObject sigDoc = new JSONObject();sigDoc.put("TLS.ver", "2.0");sigDoc.put("TLS.identifier", userid);sigDoc.put("TLS.sdkappid", sdkappid);sigDoc.put("TLS.expire", expire);sigDoc.put("TLS.time", currTime);String base64UserBuf = null;if (null != userbuf) {base64UserBuf = Base64.getEncoder().encodeToString(userbuf).replaceAll("\\s*", "");sigDoc.put("TLS.userbuf", base64UserBuf);}String sig = hmacsha256(userid, currTime, expire, base64UserBuf, sdkappid, key);if (sig.length() == 0) {return "";}sigDoc.put("TLS.sig", sig);Deflater compressor = new Deflater();compressor.setInput(sigDoc.toString().getBytes(StandardCharsets.UTF_8));compressor.finish();byte[] compressedBytes = new byte[2048];int compressedBytesLength = compressor.deflate(compressedBytes);compressor.end();return (new String(Base64Url.base64EncodeUrl(Arrays.copyOfRange(compressedBytes,0, compressedBytesLength)))).replaceAll("\\s*", "");}}
}

3.封装IM API接口路径

/*** 腾讯im的api路径**/
@Slf4j
@Component
public class ImApiServer {private static final Logger LOGGER = LoggerFactory.getLogger(ImApiServer.class);@Resourceprivate ImAdminSignConfig signConfig;/*** im的url*/private final String BASE_URL = "https://console.tim.qq.com";/*** uri基本参数模板*/private final String PARAMS_TEM = "?usersig=%s&identifier=%s&sdkappid=%s&contenttype=json";/*** 签名** @param userId 用户ID* @param time   时间(单位:秒)* @return 签名*/public String userSign(String userId, long time) {return signConfig.genUserSig(userId, time);}/*** 创建群组** @param rawJsonStr raw实体* @return 响应参数json*/public String createGroup(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/create_group";return postImApi(rawJsonStr, apiUrl);}/*** 解散群组** @param rawJsonStr raw实体* @return 响应参数json*/public String destroyGroup(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/destroy_group";return postImApi(rawJsonStr, apiUrl);}/*** 修改群组基本信息** @param rawJsonStr raw实体* @return 响应参数json*/public String modifyGroupBaseInfo(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/modify_group_base_info";return postImApi(rawJsonStr, apiUrl);}/*** 增加群成员** @param rawJsonStr raw实体* @return 响应参数json*/public String addGroupMember(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/add_group_member";return postImApi(rawJsonStr, apiUrl);}/*** 删除群成员** @param rawJsonStr raw实体* @return 响应参数json*/public String deleteGroupMember(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/delete_group_member";return postImApi(rawJsonStr, apiUrl);}/*** 导入单个账号** @param rawJsonStr raw实体* @return 响应参数json*/public String accountImport(String rawJsonStr) {String apiUrl = "/v4/im_open_login_svc/account_import";return postImApi(rawJsonStr, apiUrl);}/*** 批量导入账号** @param rawJsonStr raw实体* @return 响应参数json*/public String accountImportBatch(String rawJsonStr) {String apiUrl = "/v4/im_open_login_svc/multiaccount_import";return postImApi(rawJsonStr, apiUrl);}/*** 批量删除账号** @param rawJsonStr raw实体* @return 响应参数json*/public String accountDelete(String rawJsonStr) {String apiUrl = "/v4/im_open_login_svc/account_delete";return postImApi(rawJsonStr, apiUrl);}/*** 设置资料* 支持 标配资料字段 和 自定义资料字段 的设置。** @param rawJsonStr raw实体* @return 响应参数json*/public String portraitSet(String rawJsonStr) {String apiUrl = "/v4/profile/portrait_set";return postImApi(rawJsonStr, apiUrl);}/*** 群里发送消息** @param rawJsonStr raw实体* @return 响应参数json*/public String sendGroupMsg(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/send_group_msg";return postImApi(rawJsonStr, apiUrl);}/*** 群里发送系统消息** @param rawJsonStr raw实体* @return 响应参数json*/public String sendGroupSystemMsg(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/send_group_system_notification";return postImApi(rawJsonStr, apiUrl);}/*** im请求基础api** @param rawJsonStr raw实体* @return 响应参数json*/private String postImApi(String rawJsonStr, String apiUrl) {String runningId = IdUtil.simpleUUID();String paramsUrl = String.format(PARAMS_TEM, signConfig.getUsersig(), signConfig.getIdentifier(), signConfig.getSdkappid());String url = BASE_URL + apiUrl + paramsUrl;LOGGER.info("请求im接口, 流水号[{}], url[{}], 入参[{}]", runningId, url, rawJsonStr);String res = this.httpPost(url, rawJsonStr);LOGGER.info("im接口响应, 流水号[{}], url[{}], 响应[{}]", runningId, url, rawJsonStr);return res;}/*** POST** @param url  链接* @param data body* @return 响应*/private String httpPost(String url, String data) {String result = null;try (CloseableHttpClient httpClient = HttpClients.createDefault()) {StringEntity stringEntity = new StringEntity(data, "UTF-8");stringEntity.setContentEncoding("UTF-8");HttpPost httpPost = new HttpPost(url);httpPost.addHeader("Content-Type", "application/json");httpPost.setEntity(stringEntity);CloseableHttpResponse response = httpClient.execute(httpPost);if (response != null) {HttpEntity resEntity = response.getEntity();if (resEntity != null) {result = EntityUtils.toString(resEntity, "utf-8");}}} catch (Exception e) {log.error("im请求异常", e);}return result;}/*** 发送自定义消息,用来消息计数** @param rawJsonStr raw实体* @return 响应参数json*/public String sendCustomMessageCount(String rawJsonStr) {String apiUrl = "/v4/openim/sendmsg";return postImApi(rawJsonStr, apiUrl);}/*** 群组批量禁言取消禁言** @param rawJsonStr raw实体* @return 响应参数json*/public String groupForbiddenWordBatch(String rawJsonStr) {String apiUrl = "/v4/group_open_http_svc/forbid_send_msg";return postImApi(rawJsonStr, apiUrl);}
}

4.封装IM Service接口

/*** im用户相关服务**/
public interface ImUserService {/*** 给user签名** @param userId 用户ID(用户唯一键均可,可以为中文)* @return 签名*/String userSign(String userId);/*** 注册User到im** @param user 用户对象实体类* @return userId*/String registerUser(ImRegisterUserReq user);/*** 批量删除im中的user** @param userIds 用户ID集合* @return 是否成功*/List<ImUserResp> removeUser(List<String> userIds);/*** 修改user基本信息** @param user 用户对象实体类* @return 是否成功*/boolean updateUser(ImUpdateUserReq user);/*** 发送自定义消息,用来消息计数** @param request* @return 发送成功*/boolean sendCustomMessageCount(ImCustomMsgReq request);/*** 批量注册IM** @param imRegisterUserList*/void registerUserBatch(List<ImRegisterUserReq> imRegisterUserList);
}

5.封装IM Service接口实现类

/*** im用户相关服务**/
@Service
public class ImUserServiceImpl implements ImUserService {private static final Logger LOGGER = LoggerFactory.getLogger(ImUserServiceImpl.class);/*** im api*/@Resourceprivate ImApiServer imApiServer;/*** 给user签名* 默认签名7天** @param userId 用户ID(用户唯一键均可,可以为中文)* @return 签名*/@Overridepublic String userSign(String userId) {// 默认签名7天long time = 60 * 60 * 24 * 7;String sign = imApiServer.userSign(userId, time);LOGGER.info("给user签名,userId[{}], 签名[{}]", userId, sign);return sign;}/*** 注册User到im** @param user 用户对象实体类* @return userId*/@Overridepublic String registerUser(ImRegisterUserReq user) {LOGGER.info("注册User到im,参数[{}]", JacksonUtil.toJsonString(user));ImApiUserModelReq rawJson = new ImApiUserModelReq().setUserId(user.getUserId()).setNick(user.getNick()).setFaceUrl(user.getFaceUrl());String recordJson = imApiServer.accountImport(JacksonUtil.toJsonString(rawJson));//断言返回体是否存在if (recordJson == null) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_001.value,UserErrorEnum.IM_001.desc);}ImApiRecordReq imApiRecord = JacksonUtil.fromJson(recordJson, ImApiRecordReq.class);//断言接口业务是否成功if (imApiRecord.getErrorCode() != ImApiRecordReq.SUCCESS) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_002.value, UserErrorEnum.IM_002.desc + "-->" + recordJson);}//增加自定义参数,登录账号String account = user.getAttrAccount();if (account != null) {ImApiUserModelReq rawAttrJson = new ImApiUserModelReq().setFromAccount(user.getUserId()).setProfileItem(Collections.singletonList(new ImApiUserModelReq.ProfileItem(ImApiUserModelReq.ProfileItem.TAG_ACCOUNT, account)));String recordAttrJson = imApiServer.portraitSet(JacksonUtil.toJsonString(rawAttrJson));}return user.getUserId();}/*** 批量删除im中的user** @param userIds 用户ID集合* @return 是否成功*/@Overridepublic List<ImUserResp> removeUser(List<String> userIds) {LOGGER.info("批量删除im中的user,参数[{}]", JacksonUtil.toJsonString(userIds));ImApiUserModelReq rawJson = new ImApiUserModelReq().setToDelUserList(userIds.stream().map(ImUserResp::new).collect(Collectors.toList()));String recordJson = imApiServer.accountDelete(JacksonUtil.toJsonString(rawJson));//断言返回体是否存在if (recordJson == null) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_001.value,UserErrorEnum.IM_001.desc);}ImApiRecordReq imApiRecord = JacksonUtil.fromJson(recordJson, ImApiRecordReq.class);//断言接口业务是否成功if (imApiRecord.getErrorCode() != ImApiRecordReq.SUCCESS) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_002.value, UserErrorEnum.IM_002.desc + "-->" + recordJson);}return imApiRecord.getDelUserInfoList();}/*** 修改user基本信息** @param user 用户对象实体类* @return 是否成功*/@Overridepublic boolean updateUser(ImUpdateUserReq user) {LOGGER.info("修改user基本信息,参数[{}]", JacksonUtil.toJsonString(user));ImApiUserModelReq rawJson = new ImApiUserModelReq().setUserId(user.getUserId()).setNick(user.getNick()).setFaceUrl(user.getFaceUrl());String recordJson = imApiServer.accountImport(JacksonUtil.toJsonString(rawJson));//断言返回体是否存在if (recordJson == null) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_001.value,UserErrorEnum.IM_001.desc);}ImApiRecordReq imApiRecord = JacksonUtil.fromJson(recordJson, ImApiRecordReq.class);//断言接口业务是否成功if (imApiRecord.getErrorCode() != ImApiRecordReq.SUCCESS) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_002.value, UserErrorEnum.IM_002.desc + "-->" + recordJson);}//增加自定义参数List<ImApiUserModelReq.ProfileItem> profileItem = new ArrayList<>();String attrAccount = user.getAttrAccount();if (attrAccount != null) {profileItem.add(new ImApiUserModelReq.ProfileItem(ImApiUserModelReq.ProfileItem.TAG_ACCOUNT, attrAccount));}ImApiUserModelReq rawAttrJson = new ImApiUserModelReq().setFromAccount(user.getUserId()).setProfileItem(profileItem);String recordAttrJson = imApiServer.portraitSet(JacksonUtil.toJsonString(rawAttrJson));return true;}/*** 发送自定义消息,用来消息计数** @param request* @return 发送成功*/@Overridepublic boolean sendCustomMessageCount(ImCustomMsgReq request) {ImMsgContentReq imMsgContentRequest = new ImMsgContentReq().setDesc(request.getDesc()).setData(request.getData()).setExt(request.getExt()).setSound(request.getSound());ImMsgBodyReq imMsgBodyRequest = new ImMsgBodyReq().setMsgContent(imMsgContentRequest).setMsgType("TIMCustomElem");List<ImMsgBodyReq> imMsgBodyRequestList = new ArrayList<>();imMsgBodyRequestList.add(imMsgBodyRequest);ImCustomMsgReq rawJson = new ImCustomMsgReq().setSyncOtherMachine(2).setToAccount(request.getToAccount()).setMsgRandom(Integer.parseInt(getRandomNickname(8))).setMsgTimeStamp(Integer.parseInt(String.valueOf(LocalDateTime.now().toEpochSecond(ZoneOffset.of("+8"))))).setForbidCallbackControl(Arrays.asList("ForbidBeforeSendMsgCallback", "ForbidAfterSendMsgCallback").toArray()).setMsgBody(imMsgBodyRequestList);String recordJson = imApiServer.sendCustomMessageCount(JacksonUtil.toJsonString(rawJson));//断言返回体是否存在if (recordJson == null) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_001.value,UserErrorEnum.IM_001.desc);}ImApiRecordReq imApiRecord = JacksonUtil.fromJson(recordJson, ImApiRecordReq.class);//断言接口业务是否成功if (imApiRecord.getErrorCode() != ImApiRecordReq.SUCCESS) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_002.value, UserErrorEnum.IM_002.desc + "-->" + recordJson);}return Boolean.TRUE;}/*** 批量注册IM** @param systemImRegisterUserList*/@Overridepublic void registerUserBatch(List<ImRegisterUserReq> systemImRegisterUserList) {LOGGER.info("批量注册User到im,参数[{}]", JacksonUtil.toJsonString(systemImRegisterUserList));List<String> userIdList = systemImRegisterUserList.stream().map(o -> o.getUserId()).collect(Collectors.toList());ImApiUserModelReq rawJson = new ImApiUserModelReq().setAccounts(userIdList);String recordJson = imApiServer.accountImportBatch(JacksonUtil.toJsonString(rawJson));//断言返回体是否存在if (recordJson == null) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_001.value,UserErrorEnum.IM_001.desc);}ImApiRecordReq imApiRecord = JacksonUtil.fromJson(recordJson, ImApiRecordReq.class);//断言接口业务是否成功if (imApiRecord.getErrorCode() != ImApiRecordReq.SUCCESS) {throw BizExceptionFactory.newBizException(UserErrorEnum.IM_002.value, UserErrorEnum.IM_002.desc + "-->" + recordJson);}//增加自定义参数systemImRegisterUserList.forEach(user -> {String account = user.getAttrAccount();if (account != null) {ImApiUserModelReq rawAttrJson = new ImApiUserModelReq().setFromAccount(user.getUserId()).setProfileItem(Collections.singletonList(new ImApiUserModelReq.ProfileItem(ImApiUserModelReq.ProfileItem.TAG_ACCOUNT, account)));String resp = imApiServer.portraitSet(JacksonUtil.toJsonString(rawAttrJson));LOGGER.info("批量注册User到im,返回信息[{}]", resp);}});}/*** java生成随机数字10位数** @param length [生成随机数的长度]* @return*/public static String getRandomNickname(int length) {StringBuilder val = new StringBuilder();Random random = new Random();for (int i = 0; i < length; i++) {val.append(random.nextInt(10));}return val.toString();}}

6.在业务代码中调用IM接口方法

 //发送系统消息
ImCustomMsgReq imCustomMsgReq = new ImCustomMsgReq();
imCustomMsgReq.setData(desc).setDesc(desc).setToAccount(userId.toString());imUserService.sendCustomMessageCount(imCustomMsgReq);

7.集成过程中用到的相关工具类

ImMsgBodyReq.java

@Getter
@Setter
@ToString
@Accessors(chain = true)
@EqualsAndHashCode(callSuper = false)
public class ImMsgBodyReq {/*** 标签名*/@JsonProperty("MsgType")private String msgType;/*** 值*/@JsonProperty("MsgContent")private ImMsgContentReq msgContent;
}

ImMsgContentReq.java

@Getter
@Setter
@ToString
@Accessors(chain = true)
@EqualsAndHashCode(callSuper = false)
public class ImMsgContentReq {/*** 自定义消息数据。 不作为 APNs 的 payload 字段下发,故从 payload 中无法获取 Data 字段*/@JsonProperty("Data")private String data;/*** 说明* 当消息中只有一个 TIMCustomElem 自定义消息元素时,如果 Desc 字段和 OfflinePushInfo.Desc 字段都不填写,* 将收不到该条消息的离线推送,需要填写 OfflinePushInfo.Desc 字段才能收到该消息的离线推送。*/@JsonProperty("Desc")private String desc;/*** 扩展字段。当接收方为 iOS 系统且应用处在后台时,此字段作为 APNs 请求包 Payloads 中的 Ext 键值下发,Ext 的协议格式由业务方确定,APNs 只做透传。*/@JsonProperty("Ext")private String ext;/*** 自定义 APNs 推送铃音。*/@JsonProperty("Sound")private String sound;
}

ImCustomMsgReq.java

/*** im 自定义单聊消息*/
@Getter
@Setter
@ToString
@EqualsAndHashCode(callSuper = false)
@Accessors(chain = true)
public class ImCustomMsgReq implements Serializable {private static final long serialVersionUID = 1L;/*** 1:把消息同步到 From_Account 在线终端和漫游上;* 2:消息不同步至 From_Account;* 若不填写默认情况下会将消息存 From_Account 漫游* 选填*/@JsonProperty("SyncOtherMachine")private Integer syncOtherMachine;/*** 消息接收方 UserID* 必填*/@JsonProperty("To_Account")private String toAccount;/*** 消息离线保存时长(单位:秒),最长为7天(604800秒)* 若设置该字段为0,则消息只发在线用户,不保存离线* 若设置该字段超过7天(604800秒),仍只保存7天* 若不设置该字段,则默认保存7天* 选填*/@JsonProperty("MsgLifeTime")private Integer msgLifeTime;/*** 消息序列号,后台会根据该字段去重及进行同秒内消息的排序,详细规则请看本接口的功能说明。若不填该字段,则由后台填入随机数。* 选填*/@JsonProperty("MsgSeq")private Integer msgSeq;/*** 消息随机数,后台用于同一秒内的消息去重。请确保该字段填的是随机数* 必填*/@JsonProperty("MsgRandom")private Integer msgRandom;/*** 消息时间戳,UNIX 时间戳(单位:秒)* 选填*/@JsonProperty("MsgTimeStamp")private Integer msgTimeStamp;/*** 消息回调禁止开关,只对本条消息有效,ForbidBeforeSendMsgCallback 表示禁止发消息前回调,* ForbidAfterSendMsgCallback 表示禁止发消息后回调* 选填*/@JsonProperty("ForbidCallbackControl")private Object[] forbidCallbackControl;/*** 消息发送控制选项,是一个 String 数组,只对本条消息有效。"NoUnread"表示该条消息不计入未读数。* "NoLastMsg"表示该条消息不更新会话列表。"WithMuteNotifications"表示该条消息的接收方对发送方设置的免打扰选项生效(默认不生效)。* 示例:"SendMsgControl": ["NoUnread","NoLastMsg","WithMuteNotifications"]* 选填*/@JsonProperty("SendMsgControl")private Array sendMsgControl;/*** 消息内容,具体格式请参考 消息格式描述(注意,一条消息可包括多种消息元素,MsgBody 为 Array 类型)* 必填*/@JsonProperty("MsgBody")private List<ImMsgBodyReq> msgBody;/*** TIM 消息对象类型,目前支持的消息对象包括:* TIMTextElem(文本消息)* TIMLocationElem(位置消息)* TIMFaceElem(表情消息)* TIMCustomElem(自定义消息)* TIMSoundElem(语音消息)* TIMImageElem(图像消息)* TIMFileElem(文件消息)* TIMVideoFileElem(视频消息)* 必填*/@JsonProperty("MsgType")private String msgType;/*** 对于每种 MsgType 用不同的 MsgContent 格式,具体可参考* 必填*/@JsonProperty("MsgContent")private Object msgContent;/*** 消息自定义数据(云端保存,会发送到对端,程序卸载重装后还能拉取到)* 选填*/@JsonProperty("CloudCustomData")private String cloudCustomData;/*** 离线推送信息配置,具体可参考* 选填*/@JsonProperty("OfflinePushInfo")private Object offlinePushInfo;/*** 自定义消息数据。 不作为 APNs 的 payload 字段下发,故从 payload 中无法获取 Data 字段*/@JsonProperty("Data")private String data;/*** 说明* 当消息中只有一个 TIMCustomElem 自定义消息元素时,如果 Desc 字段和 OfflinePushInfo.Desc 字段都不填写,* 将收不到该条消息的离线推送,需要填写 OfflinePushInfo.Desc 字段才能收到该消息的离线推送。*/@JsonProperty("Desc")private String desc;/*** 扩展字段。当接收方为 iOS 系统且应用处在后台时,此字段作为 APNs 请求包 Payloads 中的 Ext 键值下发,Ext 的协议格式由业务方确定,APNs 只做透传。*/@JsonProperty("Ext")private String ext;/*** 自定义 APNs 推送铃音。*/@JsonProperty("Sound")private String sound;}
Base64Url.java
public class Base64Url {public static byte[] base64EncodeUrl(byte[] input) {byte[] base64 = Base64.getEncoder().encode(input);for (int i = 0; i < base64.length; ++i) {switch (base64[i]) {case '+':base64[i] = '*';break;case '/':base64[i] = '-';break;case '=':base64[i] = '_';break;default:break;}}return base64;}
}

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

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

相关文章

Apache Doris 基础(一) -- Getting Started

Apache Doris 开源、实时数据仓库 Apache Doris是一个用于实时分析的现代数据仓库。 它提供大规模闪电般的实时数据分析。 实时获取和存储 在一秒钟内基于推的微批处理和基于拉的流数据获取。实时更新&#xff0c;追加和预聚合的存储引擎闪电般的查询 使用列式存储引擎、MPP架构…

CDGP|数据治理策略揭秘:因企制宜,实现精准管控新高度

随着信息化、数字化的深入推进&#xff0c;数据已经成为企业最重要的资产之一。如何高效、安全地管理和利用数据&#xff0c;成为企业面临的重要课题。数据治理策略的制定与实施&#xff0c;成为解决这一问题的关键所在。本文将探讨如何因企制宜&#xff0c;制定符合企业实际情…

23种设计模式全面总结 | 快速复习(附PDF+MD版本)

本篇文章是对于23种设计模式的一个全面的总结&#xff0c;受限于文章篇幅无法对每个设计模式做到全面的解析&#xff0c;但几乎每个设计模式都提供了案例和类图结构&#xff0c;非常适合快速复习和在学习设计模式之前的全预习把握。 &#x1f4a1;文章的 pdf markdown 版本可通…

Mysql的复制技术

一、异步复制&#xff1a; 主服务器上的事务更新了数据后&#xff0c;就不管从服务器是否立刻跟上&#xff0c;主服务器继续处理其他事务&#xff0c;而从服务器会在它空闲的时候去检查并应用这些更新。 ——老师&#xff08;源服务器&#xff09;给学生&#xff08;从服务器&…

JSP期末要点复习

一、JSP工作原理 1.客户端请求JSP页面&#xff1a;用户通过浏览器发送一个请求到服务器&#xff0c;请求一个特定的JSP页面。这个请求被服务器上的Web容器&#xff08;如Apache Tomcat&#xff09;接收。 2.JSP转换为Servlet&#xff1a;当JSP页面第一次被请求时&#xff0…

一战中海洋败,二战梭哈两电一邮!

这个系列会邀请上岸学长学姐进行经验分享~ 经验分享 大家好哇&#xff0c;能写这个帖子&#xff0c;本人倍感荣幸。 先介绍一下个人情况吧&#xff0c;我本科就读于中北大学&#xff0c;GPA&#xff1a;3.61/5&#xff0c;有电子类竞赛&#xff0c;大创项目&#xff0c;大学…

JavaSE 字符串String及相关API StringBuilder StringJoiner 底层原理 详解

字符串和相关API java不会字符串即凉一半 学好字符串很重要 API 为应用程序编程接口 获得字符串对象 1.直接赋值 空参构造 string s1“abc”; s1 记录的是串池里的地址 2.用new的方式 string s2new string&#xff08;&#xff09;; new&#xff08;在堆内存里开辟空…

opencv调用摄像头保存视频

opencv调用摄像头保存视频 文章目录 opencv调用摄像头保存视频保存视频&#xff08;采用默认分辨率640 x 480)保存视频&#xff08;指定分辨率&#xff0c;例1280720) 保存视频&#xff08;采用默认分辨率640 x 480) import cv2 import time # 定义视频捕捉对象 cap cv2.Vide…

SD4054单节锂电子恒定电压线性充电器SOT-23-5封装电源适配器

SD4054是一款完整的单节锂离子电池采用恒定电流/恒定电压线性充电器。它采用的 SOT-23-5封装&#xff0c;只需外接极少的外部元件&#xff0c;使得SD4054成为便携式应用的理想选择。 SD4054可以适合USB电源和适配器电源工作。 采用了内部PMOSFET架构&#xff0c;加上防倒充电路…

数据安全革命:Web3带来的隐私保护创新

随着数字化时代的发展&#xff0c;数据安全和隐私保护问题日益突出。传统的中心化数据存储和管理方式已经无法满足日益增长的数据安全需求&#xff0c;而Web3作为下一代互联网的新兴力量&#xff0c;正以其去中心化、加密安全的特性&#xff0c;引领着一场数据安全革命。本文将…

pyinstaller打包提示“文件所在的卷已被外部更改,因此打开的文件不再有效。”

环境 anaconda : 24.1.2python : 3.7.13pyinstaller : 5.13.0 问题描述 之前使用pyintaller执行spec文件打包都是能成功&#xff0c;今天打包报了“文件所在的卷已被外部更改&#xff0c;因此打开的文件不再有效。”的错误 Traceback (most recent call last):File "C…

「架构」微服务

微服务架构是一种软件开发架构,它将应用程序作为一组小的服务构建,每个服务实现特定的业务功能,并通过轻量级的通信机制(通常是HTTP RESTful API)进行交互。这些服务是松耦合的,可以独立部署、扩展和更新。 核心功能: 服务分解:将应用程序分解为一组小型、独立的服务。…

ecc dsa rsa des

ECC&#xff08;椭圆曲线密码学&#xff09;、DSA&#xff08;数字签名算法&#xff09;、RSA&#xff08;一种公钥加密技术&#xff09;和DES&#xff08;数据加密标准&#xff09;都是密码学领域中重要的加密和安全技术。下面是对这四种技术的简要介绍&#xff1a; 椭圆曲线密…

想提升,应该学PMP还是NPDP?

NPDP&#xff08;新产品开发专业认证&#xff09;是由美国产品开发与管理协会&#xff08;PDMA&#xff09;发起的国际认证&#xff0c;涵盖新产品开发的理论、方法和实践&#xff0c;为公司提供全方位的知识体系支持。通过考试获得NPDP认证证书&#xff0c;能够提升个人工作能…

条款8:了解各种不同意义的new和delete

有时候我们觉得&#xff0c;C的术语仿佛是要故意让人难以理解似的。 这里就有一个例子&#xff1a;请说明new operator 和operator new 之间的差异&#xff08;译注&#xff1a;本书所说的new operator&#xff0c;即某些C教程如C Primer 所谓的new expression) 当你写出这样…

粒子爱心特效||轻松实现浪漫效果||完整代码

关注微信公众号「ClassmateJie」有完整代码以及更多惊喜等待你的发现。 简介/效果展示 你是否曾经想过&#xff0c;在特殊的日子里给你的爱人一个惊喜&#xff1f;或者在朋友的生日派对上&#xff0c;给他们展示一个充满爱意的特效&#xff1f;今天&#xff0c;我要分享一个我…

VUE3-form表单保存附件与基本信息

element-ui代码 <el-dialog :title"上传附件" v-model"dialogAdds.visible" width"500px" append-to-body> <el-form-item label"唯一标识"> <dict-tag v-if"form.groupId" :options"unique_identifica…

[大师C语言(第十二篇)]C语言堆排序技术详解

引言 堆排序&#xff08;Heap Sort&#xff09;是一种基于比较的排序算法&#xff0c;它利用堆这种数据结构的特点来进行排序。堆是一种近似完全二叉树的结构&#xff0c;并同时满足堆积的性质&#xff1a;即子节点的键值或索引总是小于&#xff08;或者大于&#xff09;它的父…

性能怪兽!香橙派 Kunpeng Pro 开发板深度测评,带你解锁无限可能

性能怪兽&#xff01;香橙派 Kunpeng Pro 开发板深度测评&#xff0c;带你解锁无限可能 文章目录 性能怪兽&#xff01;香橙派 Kunpeng Pro 开发板深度测评&#xff0c;带你解锁无限可能一、背景二、香橙派 Kunpeng Pro 硬件规格概述三、使用准备与系统安装1️⃣、系统安装步骤…