Spring Boot集成SFTP快速入门Demo

1.什么是SFTP?

SFTP(SSH File Transfer Protocol,也称 Secret File Transfer Protocol),是一种基于SSH(安全外壳)的安全的文件传输协议。使用SFTP协议可以在文件传输过程中提供一种安全的加密算法,从而保证数据的安全传输,所以SFTP是非常安全的。但是,由于这种传输方式使用了加密/解密技术,所以传输效率比普通的FTP要低。 SFTP是SSH的一部分,SFTP没有单独的守护进程,它必须使用SSHD守护进程(端口号默认是22)来完成相应的连接操作,sftp服务作为ssh的一个子服务,是通过 /etc/ssh/sshd_config 配置文件中的 Subsystem 实现的,如果没有配置 Subsystem 参数,则系统是不能进行sftp访问的。所以,要分离ssh和sftp服务的话,基本的思路是创建两个sshd进程,分别监听在不同的端口,一个作为ssh服务的deamon,另一个作为sftp服务的deamon。

Spring Integration核心组件

  • SftpSessionFactory: sftp 客户端与服务端的会话工厂。客户端每次访问服务器时都会创建一个 session 对象,且可以通过 SftpSessionCaching 将 session 对象缓存起来,支持 session 共享,即可以在一个会话上进行多个 channel 的操作。如果 session 被重置,则在最后一次 channel 关闭之后,将断开连接。isSharedSession 为 true 时 session 将共享。
  • SftpSessionCaching: sftp 会话缓存工厂。通过 poolSize 和 sessionWaiteTimeout 来设置缓存池大小和会话等待超时时间。缓存池默认是无限大,超时时间默认是 Integer.MAX_VALUE。
  • SftpRemoteFileTemplate: 基于 SftpSessionFactory 创建的 sftp 文件操作模板类。其父类是 RemoteFileTemplate。支持上传、下载、追加、删除、重命名、列表、是否存在。基于输入输出流实现。
  • SftpInboundChannelAdapter: sftp 入站通道适配器。可同步远程目录到本地,且可监听远程文件的操作,可实现下载。
  • SftpOutboundChannelAdapter: sftp 出站通道适配器。实际是一个 sftp 消息处理器,将在服务器与客户端之间创建一个消息传输通道。此处的消息指的是 Message 的 payload,其支持 File、byte[]、String。其支持 ls、nlst、get、rm、mget、mv、put、mput 操作。
  • Channel Adapter: 通道适配器,实际上是适配消息在客户端和服务器之间的传输。inbound adapter 是接收其它系统的消息,outbound adapter 是发送消息到其它系统。
  • @ServiceActivator: 将注解作用的方法注册为处理消息的站点,inputChannel 表示接收消息的通道。

2.环境搭建

docker run -p 22:22 -d atmoz/sftp foo:pass:::upload

验证环境

说明已经可以连接上去了

3.代码工程

实验目标

实现文件上传和下载

pom.xml

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"><parent><artifactId>springboot-demo</artifactId><groupId>com.et</groupId><version>1.0-SNAPSHOT</version></parent><modelVersion>4.0.0</modelVersion><artifactId>sftp</artifactId><properties><maven.compiler.source>8</maven.compiler.source><maven.compiler.target>8</maven.compiler.target></properties><dependencies><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-autoconfigure</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-test</artifactId><scope>test</scope></dependency><dependency><groupId>org.springframework.integration</groupId><artifactId>spring-integration-sftp</artifactId><!--            <version>5.4.1</version>--><version>5.2.8.RELEASE</version></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-configuration-processor</artifactId><optional>true</optional></dependency><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><optional>true</optional></dependency></dependencies>
</project>

service

package com.et.sftp.service.impl;import com.et.sftp.config.SftpConfiguration;
import com.et.sftp.service.SftpService;
import lombok.extern.slf4j.Slf4j;
import org.springframework.integration.file.remote.FileInfo;
import org.springframework.integration.sftp.session.SftpRemoteFileTemplate;
import org.springframework.stereotype.Component;
import org.springframework.web.multipart.MultipartFile;import javax.annotation.Resource;
import java.io.*;
import java.util.List;@Slf4j
@Component
public class SftpServiceImpl implements SftpService {@Resourceprivate SftpRemoteFileTemplate remoteFileTemplate;@Resourceprivate SftpConfiguration.SftpGateway gateway;/*** single file upload** @param file File*/@Overridepublic void uploadFile(File file) {gateway.upload(file);}/*** single file upload by byte[]** @param bytes bytes*/@Overridepublic void uploadFile(byte[] bytes, String name) {try {gateway.upload(bytes, name);} catch (Exception e) {log.error("error:", e);}}/*** uopload by path** @param bytes* @param filename* @param path*/@Overridepublic void upload(byte[] bytes, String filename, String path) {try {gateway.upload(bytes, filename, path);} catch (Exception e) {log.error("error:", e);}}/*** list files by path** @param path* @return List<String>*/@Overridepublic String[] listFile(String path) {try {return remoteFileTemplate.execute(session -> {return session.listNames(path);});} catch (Exception e) {log.error("error:", e);}return null;}/*** list file and directory by path** @param path* @return List<String>*/@Overridepublic List<FileInfo> listALLFile(String path) {return gateway.listFile(path);}/*** download** @param fileName * @param savePath * @return File*/@Overridepublic File downloadFile(String fileName, String savePath) {try {return remoteFileTemplate.execute(session -> {remoteFileTemplate.setAutoCreateDirectory(true);boolean existFile = session.exists(fileName);if (existFile) {InputStream is = session.readRaw(fileName);return convertInputStreamToFile(is, savePath);} else {return null;}});} catch (Exception e) {log.error("error:", e);}return null;}/*** read file** @param fileName* @return InputStream*/@Overridepublic InputStream readFile(String fileName) {return remoteFileTemplate.execute(session -> {return session.readRaw(fileName);});}/*** files is exists** @param filePath * @return boolean*/@Overridepublic boolean existFile(String filePath) {try {return remoteFileTemplate.execute(session ->session.exists(filePath));} catch (Exception e) {log.error("error:", e);}return false;}public void renameFile(String file1, String file2) {try {remoteFileTemplate.execute(session -> {session.rename(file1, file2);return true;});} catch (Exception e) {log.error("error:", e);}}/*** create directory** @param dirName* @return*/@Overridepublic boolean mkdir(String dirName) {return remoteFileTemplate.execute(session -> {if (!existFile(dirName)) {return session.mkdir(dirName);} else {return false;}});}/*** delete file** @param fileName * @return boolean*/@Overridepublic boolean deleteFile(String fileName) {return remoteFileTemplate.execute(session -> {boolean existFile = session.exists(fileName);if (existFile) {return session.remove(fileName);} else {log.info("file : {} not exist", fileName);return false;}});}/*** batch upload (MultipartFile)** @param files List<MultipartFile>* @throws IOException*/@Overridepublic void uploadFiles(List<MultipartFile> files, boolean deleteSource) throws IOException {try {for (MultipartFile multipartFile : files) {if (multipartFile.isEmpty()) {continue;}File file = convert(multipartFile);gateway.upload(file);if (deleteSource) {file.delete();}}} catch (Exception e) {log.error("error:", e);}}/*** batch upload (MultipartFile)** @param files List<MultipartFile>* @throws IOException*/@Overridepublic void uploadFiles(List<MultipartFile> files) throws IOException {uploadFiles(files, true);}/*** single file upload (MultipartFile)** @param multipartFile MultipartFile* @throws IOException*/@Overridepublic void uploadFile(MultipartFile multipartFile) throws IOException {gateway.upload(convert(multipartFile));}@Overridepublic String listFileNames(String dir) {return gateway.nlstFile(dir);}@Overridepublic File getFile(String dir) {return null;}@Overridepublic List<File> mgetFile(String dir) {return null;}@Overridepublic boolean rmFile(String file) {return false;}@Overridepublic boolean mv(String sourceFile, String targetFile) {return false;}@Overridepublic File putFile(String dir) {return null;}@Overridepublic List<File> mputFile(String dir) {return null;}@Overridepublic String nlstFile(String dir) {return gateway.nlstFile(dir);}private static File convertInputStreamToFile(InputStream inputStream, String savePath) {OutputStream outputStream = null;File file = new File(savePath);try {outputStream = new FileOutputStream(file);int read;byte[] bytes = new byte[1024];while ((read = inputStream.read(bytes)) != -1) {outputStream.write(bytes, 0, read);}log.info("convert InputStream to file done, savePath is : {}", savePath);} catch (IOException e) {log.error("error:", e);} finally {if (inputStream != null) {try {inputStream.close();} catch (IOException e) {e.printStackTrace();}}if (outputStream != null) {try {outputStream.close();} catch (IOException e) {log.error("error:", e);}}}return file;}private static File convert(MultipartFile file) throws IOException {File convertFile = new File(file.getOriginalFilename());convertFile.createNewFile();FileOutputStream fos = new FileOutputStream(convertFile);fos.write(file.getBytes());fos.close();return convertFile;}
}
package com.et.sftp.service;import org.springframework.integration.file.remote.FileInfo;
import org.springframework.web.multipart.MultipartFile;import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.util.List;public interface SftpService {void uploadFile(File file);void uploadFile(byte[] bytes, String name);void upload(byte[] bytes, String filename, String path);String[] listFile(String path);List<FileInfo> listALLFile(String path);File downloadFile(String fileName, String savePath);InputStream readFile(String fileName);boolean existFile(String filePath);boolean mkdir(String dirName);boolean deleteFile(String fileName);void uploadFiles(List<MultipartFile> files, boolean deleteSource) throws IOException;void uploadFiles(List<MultipartFile> files) throws IOException;void uploadFile(MultipartFile multipartFile) throws IOException;String listFileNames(String dir);File getFile(String dir);List<File> mgetFile(String dir);boolean rmFile(String file);boolean mv(String sourceFile, String targetFile);File putFile(String dir);List<File> mputFile(String dir);//void upload(File file);//void upload(byte[] inputStream, String name);//List<File> downloadFiles(String dir);String nlstFile(String dir);
}

config

在配置SFTP adapters之前,需要配置SFTP Session Factory;Spring Integration提供了如下xml和spring boot的定义方式。 每次使用 SFTP adapter,都需要Session Factory会话对象,一般情况,都会创建一个新的SFTP会话。同时还提供了Session的缓存功能。Spring integration中的Session Factory是依赖于JSch库来提供。 JSch支持在一个连接配置上多个channel的操作。原生的JSch技术开发,在打开一个channel操作之前,需要建立Session的连接。同样的,默认情况,Spring Integration为每一个channel操作使用单独的物理连接。在3.0版本发布之后,Cache Session Factory 出现 (CachingSessionFactory),将Session Factory包装在缓存中,支持Session共享,可以在一个连接上支持多个JSch Channel的操作。如果缓存被重置,在最后一次channel关闭之后,才会断开连接。

package com.et.sftp.config;import com.jcraft.jsch.ChannelSftp;
import org.springframework.beans.factory.BeanFactory;
import org.springframework.boot.context.properties.EnableConfigurationProperties;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.expression.common.LiteralExpression;
import org.springframework.expression.spel.standard.SpelExpressionParser;
import org.springframework.integration.annotation.Gateway;
import org.springframework.integration.annotation.MessagingGateway;
import org.springframework.integration.annotation.ServiceActivator;
import org.springframework.integration.core.MessagingTemplate;
import org.springframework.integration.file.FileNameGenerator;
import org.springframework.integration.file.remote.FileInfo;
import org.springframework.integration.file.remote.session.CachingSessionFactory;
import org.springframework.integration.file.remote.session.SessionFactory;
import org.springframework.integration.file.support.FileExistsMode;
import org.springframework.integration.sftp.gateway.SftpOutboundGateway;
import org.springframework.integration.sftp.outbound.SftpMessageHandler;
import org.springframework.integration.sftp.session.DefaultSftpSessionFactory;
import org.springframework.integration.sftp.session.SftpRemoteFileTemplate;
import org.springframework.messaging.Message;
import org.springframework.messaging.MessageHandler;
import org.springframework.messaging.handler.annotation.Header;
import org.springframework.messaging.handler.annotation.Payload;import javax.annotation.Resource;
import java.io.File;
import java.util.List;@Configuration
@EnableConfigurationProperties(SftpProperties.class)
public class SftpConfiguration {@Resourceprivate SftpProperties properties;@Beanpublic MessagingTemplate messagingTemplate(BeanFactory beanFactory) {MessagingTemplate messagingTemplate = new MessagingTemplate();messagingTemplate.setBeanFactory(beanFactory);return messagingTemplate;}@Beanpublic SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory() {DefaultSftpSessionFactory factory = new DefaultSftpSessionFactory(true);factory.setHost(properties.getHost());factory.setPort(properties.getPort());factory.setUser(properties.getUsername());factory.setPassword(properties.getPassword());factory.setAllowUnknownKeys(true);
//        factory.setTestSession(true);
//        return factory;return new CachingSessionFactory<ChannelSftp.LsEntry>(factory);}@Beanpublic SftpRemoteFileTemplate remoteFileTemplate(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {return new SftpRemoteFileTemplate(sftpSessionFactory);}@Bean@ServiceActivator(inputChannel = "downloadChannel")public MessageHandler downloadHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpOutboundGateway sftpOutboundGateway = new SftpOutboundGateway(sftpSessionFactory, "mget", "payload");sftpOutboundGateway.setOptions("-R");sftpOutboundGateway.setFileExistsMode(FileExistsMode.REPLACE_IF_MODIFIED);sftpOutboundGateway.setLocalDirectory(new File(properties.getLocalDir()));sftpOutboundGateway.setAutoCreateLocalDirectory(true);return sftpOutboundGateway;}@Bean@ServiceActivator(inputChannel = "uploadChannel", outputChannel = "testChannel")public MessageHandler uploadHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpMessageHandler handler = new SftpMessageHandler(sftpSessionFactory);handler.setRemoteDirectoryExpression(new LiteralExpression(properties.getRemoteDir()));
//        handler.setChmod();handler.setFileNameGenerator(message -> {if (message.getPayload() instanceof File) {return ((File) message.getPayload()).getName();} else {throw new IllegalArgumentException("File expected as payload.");}});return handler;}@Bean@ServiceActivator(inputChannel = "uploadByteChannel")public MessageHandler multiTypeHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpMessageHandler handler = new SftpMessageHandler(sftpSessionFactory);handler.setRemoteDirectoryExpression(new LiteralExpression(properties.getRemoteDir()));handler.setFileNameGenerator(message -> {if (message.getPayload() instanceof byte[]) {return (String) message.getHeaders().get("name");} else {throw new IllegalArgumentException("byte[] expected as payload.");}});return handler;}@Bean@ServiceActivator(inputChannel = "lsChannel")public MessageHandler lsHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpOutboundGateway sftpOutboundGateway = new SftpOutboundGateway(sftpSessionFactory, "ls", "payload");sftpOutboundGateway.setOptions("-R"); return sftpOutboundGateway;}@Bean@ServiceActivator(inputChannel = "nlstChannel")public MessageHandler listFileNamesHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpOutboundGateway sftpOutboundGateway = new SftpOutboundGateway(sftpSessionFactory, "nlst", "payload");return sftpOutboundGateway;}@Bean@ServiceActivator(inputChannel = "getChannel")public MessageHandler getFileHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpOutboundGateway sftpOutboundGateway = new SftpOutboundGateway(sftpSessionFactory, "get", "payload");sftpOutboundGateway.setOptions("-R");sftpOutboundGateway.setFileExistsMode(FileExistsMode.REPLACE_IF_MODIFIED);sftpOutboundGateway.setLocalDirectory(new File(properties.getLocalDir()));sftpOutboundGateway.setAutoCreateLocalDirectory(true);return sftpOutboundGateway;}/*** create by: qiushicai* create time: 2020/11/20** @return*/@Bean@ServiceActivator(inputChannel = "abc")public MessageHandler abcHandler(SessionFactory<ChannelSftp.LsEntry> sftpSessionFactory) {SftpMessageHandler handler = new SftpMessageHandler(sftpSessionFactory);handler.setRemoteDirectoryExpression(new LiteralExpression(properties.getRemoteDir()));handler.setFileNameGenerator(message -> {if (message.getPayload() instanceof byte[]) {System.out.println("receive message:" + new String((byte[]) message.getPayload()));message.getHeaders().forEach((k, v) -> System.out.println("\t\t|---" + k + "=" + v));return "ok";} else {throw new IllegalArgumentException("byte[] expected as payload.");}});return handler;}/****  the #root object is the Message, which has two properties (headers and payload) that allow such expressions as payload, payload.thing, headers['my.header'], and so on**  link{ https://stackoverflow.com/questions/46650004/spring-integration-ftp-create-dynamic-directory-with-remote-directory-expressi}*  link{ https://docs.spring.io/spring-integration/reference/html/spel.html}* @return*/@Bean@ServiceActivator(inputChannel = "toPathChannel")public MessageHandler pathHandler() {SftpMessageHandler handler = new SftpMessageHandler(sftpSessionFactory());// automatically create the remote directoryhandler.setAutoCreateDirectory(true);handler.setRemoteDirectoryExpression(new SpelExpressionParser().parseExpression("headers[path]"));handler.setFileNameGenerator(new FileNameGenerator() {@Overridepublic String generateFileName(Message<?> message) {return (String) message.getHeaders().get("filename");}});return handler;}/*** <ul>* <li>ls (list files)* <li> nlst (list file names)* <li> get (retrieve a file)* <li> mget (retrieve multiple files)* <li> rm (remove file(s))* <li> mv (move and rename file)* <li> put (send a file)* <li> mput (send multiple files)* </ul>** @author :qiushicai* @date :Created in 2020/11/20* @description: outbound gateway API* @version:*/@MessagingGatewaypublic interface SftpGateway {//ls (list files)@Gateway(requestChannel = "lsChannel")List<FileInfo> listFile(String dir);@Gateway(requestChannel = "nlstChannel")String nlstFile(String dir);@Gateway(requestChannel = "getChannel")File getFile(String dir);@Gateway(requestChannel = "mgetChannel")List<File> mgetFile(String dir);@Gateway(replyChannel = "rmChannel")boolean rmFile(String file);@Gateway(replyChannel = "mvChannel")boolean mv(String sourceFile, String targetFile);@Gateway(requestChannel = "putChannel")File putFile(String dir);@Gateway(requestChannel = "mputChannel")List<File> mputFile(String dir);@Gateway(requestChannel = "uploadChannel")void upload(File file);@Gateway(requestChannel = "uploadByteChannel")void upload(byte[] inputStream, String name);@Gateway(requestChannel = "toPathChannel")void upload(@Payload byte[] file, @Header("filename") String filename, @Header("path") String path);@Gateway(requestChannel = "downloadChannel")List<File> downloadFiles(String dir);}
}

从Spring Integration 3.0开始,通过SftpSession对象提供了一个新类Remote File Template。提供了Sftp文件发送、检索、删除和重命名文件的方法。此外,还提供了一个执行方法,允许调用者在会话上执行多个操作。在所有情况下,模板负责可靠地关闭会话。 SftpRemoteFileTemplate继承Remote File Template,可以很容易的实现对SFTP文件的发送(包括文件追加,替换等),检索,删除和重命名。

package com.et.sftp.config;import lombok.Data;
import org.springframework.boot.context.properties.ConfigurationProperties;@Data
@ConfigurationProperties(prefix = "sftp")
public class SftpProperties {private String host;private Integer port;private String password;private String username;private String remoteDir;private String localDir;
}

application.properties

##sftp properties
sftp.host=127.0.0.1
sftp.port=22
sftp.username=foo
sftp.password=pass
sftp.remoteDir=/upload
sftp.localDir=D:\\tmp\\sync-files

以上只是一些关键代码,所有代码请参见下面代码仓库

代码仓库

  • https://github.com/Harries/springboot-demo

4.测试

在测试包里面有专门的测试类,具体可以查看源代码

文件是否存在

@Test
void testExistFile() {boolean existFile = sftpService.existFile("/upload/home222.js");System.out.println(existFile);
}

列出目录下的文件

@Test
void listFileTest() {sftpService.listALLFile("/upload").stream().forEach(System.out::println);
}

下载文件

 @Testvoid testDownLoad() throws Exception {sftpService.downloadFile("/upload/home.js", "D:\\tmp\\c222c.js");
//
//        sftpService.uploadFile(new File("D:\\tmp\\cc.js"));//        InputStream inputStream = sftpService.readFile("/upload/cc.js");
//
//        IOUtils.copy(inputStream, new FileOutputStream(new File("D:\\tmp\\" + UUID.randomUUID() + ".js")));}

上传文件

@Test
void uploadFile() {sftpService.uploadFile(new File("D:\\tmp\\cc.js"));
}

5.引用

  • SFTP Adapters
  • Spring Boot集成SFTP快速入门Demo | Harries Blog™

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

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

相关文章

主从复制 哨兵服务 数据类型 持久化

配置主从复制 一主多从结构 配置一主一从结构 修改配置文件 配置salve服务器 配置带验证的主从复制 查看密码&#xff0c;默认redis服务没有密码 192.168.88.61:6379> config get requirepass 设置密码 192.168.88.61:6379> config set requirepass 123456 输入密码…

Spring Boot2(Spring Boot 的Web开发 springMVC 请求处理 参数绑定 常用注解 数据传递)

目录 一、Spring Boot 的Web开发 1. 静态资源映射规则 2. enjoy模板引擎 二、springMVC 1. springMVC-请求处理 测试&#xff1a; 以post方式请求 限制请求携带的参数 GetMapping 查询 PostMapping 新增 DeleteMapping删除 PutMapping 修改 2. springMVC-参…

HarmonyOS鸿蒙- 跳转系统应用能力

一、通过弹窗点击设置跳转系统应用能力 1、 自定义弹窗效果图 2、 自定义弹窗代码 import { common, Want } from kit.AbilityKit; import { BusinessError } from kit.BasicServicesKit;export function alertDialog() {AlertDialog.show({title: ,message: 当前功能依赖定位…

ranger审计日志对接CDH solr

作者&#xff1a;耀灵 一、准备条件 1、已安装完毕ranger-admin 2、已在CDH上部署solr&#xff08;注意在安装solr时更改下solr在zk上的节点信息&#xff09; 二、更改相关配置 1、修改ranger-2.1.0-admin/contrib/solr_for_audit_setup/install.properties SOLR_USERsolr …

huawei USG6001v1学习---防火墙相关知识(2)

目录 1.安全策略 2.防火墙的状态检测和会话表技术 3.FTP 4.用户认证 5.认证策略 1.安全策略 传统包过滤技术 --- 其本质就是ACL访问控制列表&#xff0c;根据数据包的特征进行过滤&#xff0c;对比规则&#xff0c; 执行对应的动作&#xff1b; 这里数据包的特征 --- …

Web安全:未验证的重定向和转发.

Web安全&#xff1a;未验证的重定向和转发. 未验证的重定向和转发漏洞是一种常见的Web安全漏洞&#xff0c;它允许攻击者将用户重定向到一个恶意的URL&#xff0c;而不是预期的安全URL。这种漏洞通常发生在应用程序处理重定向和转发请求时&#xff0c;未能对目标URL进行适当的…

display: flex 和 justify-content: center 强大居中

你还在为居中而烦恼吗&#xff0c;水平居中多个元素、创建响应式布局、垂直和水平同时居中内容。它&#xff0c;display: flex 和 justify-content: center 都可以完成&#xff01; display: flex&#xff1a;将元素定义为flex容器 justify-content&#xff1a;定义项目在主轴…

el-popover嵌套select弹窗点击实现自定义关闭

需求 el-popover弹窗内嵌套下拉选择框&#xff0c;点击el-popover弹出外部区域需关闭弹窗&#xff0c;点击查询、重置需关闭弹窗&#xff0c; 实现 根据需求要自定义弹窗的关闭和显示&#xff0c;首先想到的是visible属性&#xff0c;在实现过程中经过反复的测验&#xff0…

区块链技术实现数字电网内数据可信共享 |《超话区块链》直播预告

随着全球电力市场朝着构建“SmartGrid”和“IntelliGrid”的目标发展&#xff0c;国内电力公司也提出了构建“数字电网”的愿景。清大科越推出新型电力系统区块链服务平台&#xff0c;通过便捷的建链、上链、用链及治链能力&#xff0c;有效解决数字电网各主体间数据共享的信任…

为什么要从C语言开始编程

在开始前刚好我有一些资料&#xff0c;是我根据网友给的问题精心整理了一份「C语言的资料从专业入门到高级教程」&#xff0c; 点个关注在评论区回复“888”之后私信回复“888”&#xff0c;全部无偿共享给大家&#xff01;&#xff01;&#xff01;很多小伙伴在入门编程时。都…

docker的学习(一):docker的基本概念和命令

简介 docker的学习&#xff0c;基本概念&#xff0c;以及镜像命令和容器命令的使用 docker docker的基本概念 一次镜像&#xff0c;处处运行。 在部署程序的过程中&#xff0c;往往是很繁琐的&#xff0c;要保证运行的环境&#xff0c;软件的版本&#xff0c;配置文件&…

安装 Maven

安装 Maven 的步骤&#xff1a; 1. 访问 Maven 官方网站: https://maven.apache.org/download.cgi 2. 下载 Maven 的二进制文件 3. 解压下载的文件到希望安装的目录 4. 将 Maven 的 bin 目录添加到您的系统环境变量 PATH 中&#xff08;配置环境变量&#xff09; 这个步骤可…

Jupyter notebook如何快速的插入一张图片?如何控制插入图片的缩放、靠左展示(ChatGPT)

在Jupyter Notebook中&#xff0c;你可以使用Markdown语法快速插入图片&#xff0c;并且可以通过HTML标签来控制图片的展示方式和缩放。 注意&#xff1a;以下所有操作都有一个前提&#xff0c;即选择Cell-CellType-Markdown 1. 快速插入图片 要在Jupyter Notebook中插入图…

澎湃算力 玩转AI 华为昇腾AI开发板——香橙派OriengePi AiPro边缘计算案例评测

澎湃算力 玩转AI 华为昇腾AI开发板 香橙派OriengePi AiPro 边缘计算案例评测 人工智能&#xff08;AI&#xff09;技术正以前所未有的速度改变着我们的生活、工作乃至整个社会的面貌。作为推动这一变革的关键力量&#xff0c;边缘计算与AI技术的深度融合正成为行业发展的新趋势…

Redis持久化(AOF和RDB)

目录 前言 一.RDB 1.1手动执行 1.2自动执行 二.AOF 2.1重写机制 三.混合持久化 Redis的学习专栏&#xff1a;http://t.csdnimg.cn/a8cvV 前言 持久化&#xff0c;在之前&#xff0c;我们接触这个词汇是在mysql数据库当中的事务四大特性里。 持久性&#xff1a;指一旦事…

Linux网络编程之UDP

文章目录 Linux网络编程之UDP1、端口号2、端口号和进程ID的区别3、重新认识网络通讯过程4、UDP协议的简单认识5、网络字节序6、socket编程接口6.1、socket常见接口6.2、sockaddr通用地址结构 7、简单的UDP网络程序7.1、服务器响应程序7.2、服务器执行命令行7.3、服务器英语单词…

vue学习笔记(十)——Vuex(状态管理,组件间共享数据)

1. vuex基础-介绍 1.1 为什么会有Vuex ? 在现代 Web 开发复杂多变的需求驱动之下&#xff0c;组件化开发已然成为了事实上的标准。然而大多数场景下的组件都并不是独立存在的&#xff0c;而是相互协作共同构成了一个复杂的业务功能。 组件间的通信成为了必不可少的开发需求。…

《Linux运维总结:基于ARM64架构CPU使用docker-compose一键离线部署单机版tendis2.4.2》

总结&#xff1a;整理不易&#xff0c;如果对你有帮助&#xff0c;可否点赞关注一下&#xff1f; 更多详细内容请参考&#xff1a;《Linux运维篇&#xff1a;Linux系统运维指南》 一、部署背景 由于业务系统的特殊性&#xff0c;我们需要面对不同的客户部署业务系统&#xff0…

数学建模——快递包裹装箱优化问题(2023年长三角数学建模A题问题一、问题二)

快递包裹装箱优化问题 2022 年&#xff0c;中国一年的包 裹已经超过1000 亿件&#xff0c;占据了全球快递事务量的一半以上。近几年&#xff0c;中国每年新增包裹数量相当于美国整个国家一年的包裹数量&#xff0c;十年前中国还是物流成本最昂贵的国家&#xff0c;当前中国已经…

【IC前端虚拟项目】sanity_case的编写与通包测试

【IC前端虚拟项目】数据搬运指令处理模块前端实现虚拟项目说明-CSDN博客 在花了大力气完成reference model之后,整个验证环境的搭建就完成了,再多看一下这个结构然后就可以进行sanity_case和通包测试: 关于sanity_case和通包测试我在很多篇文章中说过好多次了在这里就不赘述…