SpringBoot 面试题(三)

1. 如何使用SpringBoot实现文件的上传和下载?

在Spring Boot中实现文件的上传和下载,可以通过Spring MVC提供的MultipartFile接口来处理文件上传,以及使用HttpServletResponse来输出文件流实现文件下载。下面是一个简单的示例来说明如何实现这两个功能。

文件上传

首先,你需要一个表单来上传文件,通常使用enctype="multipart/form-data"来确保文件能够被正确上传。

HTML表单(upload.html):

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>File Upload</title>
</head>
<body><form method="POST" action="/upload" enctype="multipart/form-data"><input type="file" name="file" /><input type="submit" value="Upload" /></form>
</body>
</html>

然后,在Spring Boot控制器中,你可以使用@PostMapping注解来处理文件上传请求,并使用MultipartFile接口来接收上传的文件。

Spring Boot控制器(FileUploadController.java):

import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
import org.springframework.web.multipart.MultipartFile;import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;@RestController
public class FileUploadController {private static final String UPLOADED_FOLDER = "/tmp/";@PostMapping("/upload")public String handleFileUpload(@RequestParam("file") MultipartFile file) {if (file.isEmpty()) {return "上传失败,请选择文件";}try {byte[] bytes = file.getBytes();Path path = Paths.get(UPLOADED_FOLDER + file.getOriginalFilename());Files.write(path, bytes);return "上传成功!";} catch (IOException e) {e.printStackTrace();}return "上传失败!";}
}

确保上传目录(在这个例子中是/tmp/)存在且应用有权限写入。在生产环境中,你可能希望使用更安全的目录,并且可能需要添加一些额外的错误处理和验证逻辑。

文件下载

对于文件下载,你可以使用HttpServletResponse来设置响应头,并输出文件内容。

Spring Boot控制器(FileDownloadController.java):

import org.springframework.core.io.FileSystemResource;
import org.springframework.core.io.Resource;
import org.springframework.http.MediaType;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;@RestController
public class FileDownloadController {private static final String UPLOADED_FOLDER = "/tmp/";@GetMapping("/download/{filename:.+}")public ResponseEntity<Resource> downloadFile(@PathVariable String filename) {Path filePath = Paths.get(UPLOADED_FOLDER + filename);Resource resource = new FileSystemResource(filePath);if (resource.exists() || resource.isReadable()) {return ResponseEntity.ok().contentType(MediaType.parseMediaType("application/octet-stream")).header("Content-Disposition", "attachment; filename=\"" + resource.getFilename() + "\"").body(resource);} else {return ResponseEntity.notFound().build();}}
}

在上面的代码中,我们定义了一个downloadFile方法,它接受一个文件名字符串作为路径变量。然后,我们检查文件是否存在且可读,如果满足条件,我们就设置响应的Content-Type为application/octet-stream,这表示响应体包含二进制数据,并设置Content-Disposition头以指示浏览器应该下载文件而不是尝试打开它。最后,我们返回包含文件资源的ResponseEntity对象。

2. 在SpringBoot中如何实现异常处理?

在Spring Boot中,异常处理是一个非常重要的方面,因为它能够帮助你优雅地处理运行时错误,并提供友好的错误响应给客户端。Spring Boot提供了几种处理异常的方式,包括使用@ControllerAdvice注解和@ExceptionHandler注解来创建全局异常处理器,以及自定义ErrorController。以下是如何实现异常处理的一些步骤:

1. 使用@ControllerAdvice@ExceptionHandler

你可以创建一个类,使用@ControllerAdvice注解来标注,然后在该类中定义多个使用@ExceptionHandler注解的方法,每个方法处理一种特定的异常类型。

import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;@ControllerAdvice
public class GlobalExceptionHandler {@ExceptionHandler(value = Exception.class)public ResponseEntity<Object> handleGeneralException(Exception ex) {// 这里处理通用的异常逻辑return new ResponseEntity<>(ex.getMessage(), HttpStatus.INTERNAL_SERVER_ERROR);}@ExceptionHandler(value = CustomException.class)public ResponseEntity<Object> handleCustomException(CustomException ex) {// 这里处理自定义异常的逻辑return new ResponseEntity<>(ex.getMessage(), HttpStatus.BAD_REQUEST);}
}

在上面的代码中,handleGeneralException方法会处理所有继承自Exception类的异常,而handleCustomException方法则专门处理CustomException类型的异常。

2. 自定义ErrorController

Spring Boot提供了一个默认的ErrorController实现,用于处理所有未捕获的异常。你可以通过实现自己的ErrorController来覆盖默认行为。

import org.springframework.boot.web.servlet.error.ErrorController;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import javax.servlet.http.HttpServletRequest;@RestController
public class CustomErrorController implements ErrorController {@RequestMapping("/error")public ResponseEntity<Object> handleError(HttpServletRequest request) {Object status = request.getAttribute(RequestDispatcher.ERROR_STATUS_CODE);if (status != null) {int statusCode = Integer.valueOf(status.toString());// 根据状态码返回不同的响应if(statusCode == HttpStatus.NOT_FOUND.value()) {return new ResponseEntity<>("Resource not found", HttpStatus.NOT_FOUND);} else {return new ResponseEntity<>("Internal server error", HttpStatus.INTERNAL_SERVER_ERROR);}}return new ResponseEntity<>("Unknown error", HttpStatus.INTERNAL_SERVER_ERROR);}@Overridepublic String getErrorPath() {return "/error";}
}

在上面的代码中,我们定义了一个CustomErrorController类,它实现了ErrorController接口。当发生未捕获的异常时,Spring Boot会调用handleError方法,并传递一个包含错误信息的HttpServletRequest对象。

3. 全局异常处理器配置

如果你的项目使用Java配置而不是XML配置,你可以在配置类中添加@EnableWebMvc注解来启用Web MVC特性,Spring Boot会自动检测到@ControllerAdvice@ExceptionHandler注解,并注册相应的异常处理器。

import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.EnableWebMvc;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;@Configuration
@EnableWebMvc
public class WebConfig implements WebMvcConfigurer {// 其他配置...
}
4. 响应体自定义

除了基本的异常处理外,你还可以定义自己的响应体对象来包装异常信息,提供更友好的响应格式给前端。这通常包括一个状态码、消息以及可能的其他详细信息。

注意事项
  • 确保你的异常处理器类(使用@ControllerAdvice注解的类)在Spring Boot的组件扫描路径下,以便Spring能够自动检测到它。
  • 自定义异常类(如CustomException)应该继承自RuntimeException或其子类,以便Spring能够将其视为运行时异常处理。
  • 如果你的应用需要处理特定类型的异常(如验证异常、绑定异常等),你可能需要添加额外的@ExceptionHandler方法来处理这些特定情况。

3. 如何使用SpringBoot进行单元测试?

在Spring Boot中进行单元测试,通常使用JUnit框架,结合Spring Test模块提供的测试支持。以下是如何使用SpringBoot进行单元测试的基本步骤:

  1. 添加依赖

确保你的pom.xml(如果你使用Maven)或build.gradle(如果你使用Gradle)文件中包含了Spring Boot Test和JUnit的依赖。

对于Maven,添加以下依赖:

<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-test</artifactId><scope>test</scope>
</dependency>
<dependency><groupId>org.junit.jupiter</groupId><artifactId>junit-jupiter-engine</artifactId><scope>test</scope>
</dependency>

对于Gradle,添加以下依赖:

testImplementation 'org.springframework.boot:spring-boot-starter-test'
testImplementation 'org.junit.jupiter:junit-jupiter-engine'
  1. 编写测试类

创建一个测试类,并使用@SpringBootTest注解来加载Spring Boot应用上下文。如果你的测试类是针对某个特定的配置类,你也可以使用@ContextConfiguration注解。

import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;@SpringBootTest
public class MyServiceTest {@Autowiredprivate MyService myService; // 注入你想要测试的Service@Testpublic void testMyServiceMethod() {// 在这里编写测试逻辑String result = myService.myMethod();// 断言结果org.junit.jupiter.api.Assertions.assertEquals("expectedResult", result);}
}
  1. 使用Mock对象

如果测试中涉及到外部依赖(如数据库、远程服务等),通常使用Mock对象来模拟这些依赖的行为。Spring Boot Test模块与Mockito等Mock框架集成良好。

import org.mockito.Mockito;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.mock.mockito.MockBean;@SpringBootTest
public class MyServiceTest {@Autowiredprivate MyService myService;@MockBeanprivate MyRepository myRepository; // 模拟的Repository@BeforeEachpublic void setup() {Mockito.when(myRepository.someMethod()).thenReturn("mockedValue");}@Testpublic void testMyServiceMethodWithMock() {String result = myService.myMethodThatUsesRepository();// 断言结果org.junit.jupiter.api.Assertions.assertEquals("expectedResultBasedOnMock", result);}
}
  1. 运行测试

使用IDE(如IntelliJ IDEA或Eclipse)的内置测试运行器来运行测试,或者使用Maven或Gradle命令行工具。

对于Maven,运行:

mvn test

对于Gradle,运行:

gradle test
  1. 编写集成测试

如果你需要进行跨多个组件的集成测试,可以使用@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.DEFINED_PORT)来启动一个完整的Spring Boot应用实例。这种测试方式通常较慢,因为它会启动整个应用。

  1. 使用Data JPA测试

如果你使用Spring Data JPA,并且想要测试与数据库交互的代码,可以使用@DataJpaTest注解来简化配置,它只加载与JPA相关的配置。

  1. 测试配置

使用@TestPropertySourceapplication-test.properties/application-test.yml来提供测试专用的配置。

记住,单元测试应该尽可能快,并且只关注单个组件或方法的行为。集成测试则关注组件之间的交互,并可能涉及启动整个应用。在编写测试时,确保测试是独立的,避免使用全局状态或共享资源,这有助于确保测试的可靠性和可重复性。

4. 请解释一下SpringBoot中的Profile是什么?如何使用它?

在Spring Boot中,Profile是一种功能,它允许你根据环境的不同来定义不同的配置。这对于在开发、测试和生产环境中使用不同的配置参数非常有用。例如,开发环境可能使用内存数据库,而生产环境则使用更强大和持久的数据库。通过使用Profile,你可以为每个环境定义特定的配置,并在需要时轻松切换。

如何使用Profile:
  1. 定义Profile

在你的application.propertiesapplication.yml文件中,你可以使用spring.profiles.active属性来定义激活的Profile。

例如,在application.properties中:

spring.profiles.active=dev

或者,在application.yml中:

spring:profiles:active: dev
  1. 创建Profile特定的配置文件

你可以为每个Profile创建一个特定的配置文件。这些文件的命名格式是application-{profile}.propertiesapplication-{profile}.yml

例如,为开发环境创建的配置文件是application-dev.propertiesapplication-dev.yml,为生产环境创建的配置文件是application-prod.propertiesapplication-prod.yml
3. 在代码中激活Profile

除了在配置文件中设置spring.profiles.active,你还可以在代码中动态地激活Profile。例如,使用@ActiveProfiles注解:

@SpringBootTest
@ActiveProfiles("dev")
public class MyTests {// ...
}

或者在命令行中设置:

java -jar myapp.jar --spring.profiles.active=dev
  1. 在配置中使用Profile特定的属性

在Profile特定的配置文件中,你可以定义该Profile特有的属性。当该Profile被激活时,这些属性将被加载和使用。

例如,在application-dev.properties中:

datasource.url=jdbc:mysql://localhost:3306/mydb_dev
datasource.username=dev_user
datasource.password=dev_pass

application-prod.properties中:

datasource.url=jdbc:mysql://prod-db-server:3306/mydb_prod
datasource.username=prod_user
datasource.password=prod_pass
  1. 使用Spring的@Profile注解

你还可以使用@Profile注解在Java配置类或Bean定义上,以指定它们只在特定的Profile下被创建和加载。

例如:

@Configuration
@Profile("dev")
public class DevConfig {// ...
}

在这个例子中,DevConfig类及其定义的Bean只在dev Profile被激活时才会被加载和使用。

通过合理地使用Profile,你可以确保你的Spring Boot应用在不同的环境中都有适当的配置,从而提高应用的灵活性和可维护性。

5. 如何配置多个数据源在SpringBoot项目中?

在Spring Boot项目中配置多个数据源,通常涉及定义多个DataSource bean,并为每个数据源配置相应的JdbcTemplate、EntityManagerFactory、TransactionManager等。以下是如何在Spring Boot中配置多个数据源的基本步骤:

  1. 添加依赖

确保你的pom.xmlbuild.gradle中包含了Spring Boot的JPA或JDBC依赖。

  1. 定义数据源配置

application.propertiesapplication.yml中定义每个数据源的属性。

# 主数据源配置
spring.datasource.primary.url=jdbc:mysql://localhost:3306/db_primary
spring.datasource.primary.username=root
spring.datasource.primary.password=secret
spring.datasource.primary.driver-class-name=com.mysql.cj.jdbc.Driver# 次数据源配置
spring.datasource.secondary.url=jdbc:mysql://localhost:3306/db_secondary
spring.datasource.secondary.username=root
spring.datasource.secondary.password=secret
spring.datasource.secondary.driver-class-name=com.mysql.cj.jdbc.Driver
  1. 配置数据源

创建配置类,为每个数据源定义DataSourceEntityManagerFactoryTransactionManager等。

@Configuration
public class DataSourceConfig {@Primary@Bean(name = "primaryDataSource")@ConfigurationProperties(prefix = "spring.datasource.primary")public DataSource primaryDataSource() {return DataSourceBuilder.create().build();}@Bean(name = "secondaryDataSource")@ConfigurationProperties(prefix = "spring.datasource.secondary")public DataSource secondaryDataSource() {return DataSourceBuilder.create().build();}// 为每个数据源配置其他相关bean,如JdbcTemplate, EntityManagerFactory, TransactionManager等// ...
}

在上面的代码中,@Primary注解标记了主数据源,这意味着当Spring Boot自动装配DataSource时,如果没有明确指定bean名称,将会使用带有@Primary注解的bean。

  1. 使用数据源

在需要的地方,你可以通过注入特定名称的DataSource来使用不同的数据源。

@Service
public class MyService {@Autowired@Qualifier("primaryDataSource")private DataSource primaryDataSource;@Autowired@Qualifier("secondaryDataSource")private DataSource secondaryDataSource;// 使用primaryDataSource或secondaryDataSource进行数据库操作// ...
}
  1. 配置JPA(如果使用)

如果你使用Spring Data JPA,你需要为每个数据源配置LocalContainerEntityManagerFactoryBeanPlatformTransactionManager

@Configuration
@EnableTransactionManagement
@EnableJpaRepositories(basePackages = "com.example.repository.primary",entityManagerFactoryRef = "entityManagerFactoryPrimary",transactionManagerRef = "transactionManagerPrimary"
)
public class PrimaryDbConfig {@Autowired@Qualifier("primaryDataSource")private DataSource primaryDataSource;@Bean(name = "entityManagerFactoryPrimary")public LocalContainerEntityManagerFactoryBean entityManagerFactoryPrimary(EntityManagerFactoryBuilder builder) {return builder.dataSource(primaryDataSource).packages("com.example.model.primary").persistenceUnit("primaryPersistenceUnit").build();}@Bean(name = "transactionManagerPrimary")public PlatformTransactionManager transactionManagerPrimary(EntityManagerFactoryBuilder builder) {return new JpaTransactionManager(entityManagerFactoryPrimary(builder).getObject());}
}// 同样地,为secondary数据源配置JPA...

在上面的配置中,@EnableJpaRepositories注解用来指定哪些repository应该使用特定的数据源。

  1. 配置JdbcTemplate(如果使用)

如果你使用Spring JDBC,你需要为每个数据源配置JdbcTemplate

@Bean(name = "jdbcTemplatePrimary")
public JdbcTemplate jdbcTemplatePrimary(@Qualifier("primaryDataSource") DataSource dataSource) {return new JdbcTemplate(dataSource);
}// 同样地,为secondary数据源配置JdbcTemplate...
  1. 在Repository中使用

对于Spring Data JPA的repositories,你需要指定它们应该使用哪个EntityManagerFactory。这可以通过在repository接口上使用@RepositoryRestResource@EnableJpaRepositories注解中的相关属性来完成。

对于直接使用JdbcTemplate的情况,你可以注入对应的JdbcTemplate实例。

6. SpringBoot如何集成Redis作为缓存存储?

在Spring Boot中集成Redis作为缓存存储是相对简单的,Spring Boot提供了starter依赖来自动配置Redis客户端。以下是一些步骤来指导你如何集成Redis作为缓存存储:

1. 添加依赖

在你的pom.xml文件中添加Spring Boot Redis Starter的依赖:

<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>

对于Gradle构建系统,添加以下依赖到build.gradle文件:

implementation 'org.springframework.boot:spring-boot-starter-data-redis'
2. 配置Redis

application.propertiesapplication.yml文件中配置Redis服务器的连接信息:

application.properties

spring.redis.host=localhost
spring.redis.port=6379

或者

application.yml

spring:redis:host: localhostport: 6379

如果你需要密码认证或其他高级配置,也可以在这里添加。

3. 开启缓存支持

如果你希望使用Spring的缓存抽象,你需要在你的主配置类或者任何配置类上使用@EnableCaching注解来开启缓存支持。

import org.springframework.cache.annotation.EnableCaching;
import org.springframework.context.annotation.Configuration;@Configuration
@EnableCaching
public class CacheConfig {// ...
}
4. 使用Redis作为缓存

在你的服务或组件中,你可以使用@Cacheable注解来标记需要缓存的方法。Spring会自动将方法的返回值存储在Redis中,并在下次调用该方法时使用缓存的值。

import org.springframework.cache.annotation.Cacheable;
import org.springframework.stereotype.Service;@Service
public class MyService {@Cacheable(value = "myCache", key = "#id")public MyObject getMyObjectById(Long id) {// 模拟长时间运行或数据库查询return new MyObject(id, "Some Data");}
}

在上面的例子中,@Cacheable注解告诉Spring当调用getMyObjectById方法时,使用id作为键从名为myCache的缓存中获取值。如果缓存中没有该键的值,则执行方法体,并将结果存储到缓存中。

5. 自定义Redis序列化

默认情况下,Spring Boot使用JDK序列化来存储对象。这可能不是最有效的序列化方式,特别是对于存储到Redis的数据。你可能希望使用更高效的序列化方式,比如JSON。为此,你需要自定义Redis的序列化器。

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.redis.connection.RedisConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.data.redis.serializer.GenericJackson2JsonRedisSerializer;
import org.springframework.data.redis.serializer.StringRedisSerializer;@Configuration
public class RedisConfig {@Beanpublic RedisTemplate<String, Object> redisTemplate(RedisConnectionFactory redisConnectionFactory) {RedisTemplate<String, Object> template = new RedisTemplate<>();template.setConnectionFactory(redisConnectionFactory);// 使用JSON序列化器template.setKeySerializer(new StringRedisSerializer());template.setValueSerializer(new GenericJackson2JsonRedisSerializer());return template;}
}

在这个配置中,我们定义了一个RedisTemplate bean,它使用StringRedisSerializer来序列化键,并使用GenericJackson2JsonRedisSerializer来序列化值。这样,你的对象将以JSON格式存储在Redis中。

完成上述步骤后,你的Spring Boot应用应该已经集成了Redis作为缓存存储,并且你可以开始使用Redis来缓存你的数据了。记得根据你的实际需求调整配置和序列化方式。

7. 什么是RESTful Web服务?如何在SpringBoot中创建一个RESTful Web服务?

RESTful Web服务是一种基于REST(Representational State Transfer,表现层状态转化)架构设计的Web服务。REST是一种软件架构风格,它定义了一组设计原则和约束条件,用于创建网络应用。RESTful Web服务使用HTTP协议进行通信,并通过URI(统一资源标识符)来定位资源,使用HTTP方法(GET、POST、PUT、DELETE等)来操作资源。

在Spring Boot中创建一个RESTful Web服务相对简单,下面是一些基本步骤:

  1. 添加Spring Boot Web依赖

首先,确保你的pom.xml文件中包含了Spring Boot Web的依赖:

<dependencies><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><!-- 其他依赖 -->
</dependencies>
  1. 创建实体类

定义一个或多个实体类来表示你的数据模型。例如,创建一个User类:

public class User {private Long id;private String name;private String email;// getters, setters, and constructors
}
  1. 创建控制器

使用@RestController注解创建一个控制器类,并定义处理HTTP请求的方法。例如:

import org.springframework.web.bind.annotation.*;
import java.util.List;@RestController
@RequestMapping("/api/users")
public class UserController {// 假设这里有一个UserService来处理用户相关的业务逻辑private final UserService userService;public UserController(UserService userService) {this.userService = userService;}@GetMapping("/{id}")public User getUserById(@PathVariable Long id) {return userService.getUserById(id);}@GetMappingpublic List<User> getAllUsers() {return userService.getAllUsers();}@PostMappingpublic User createUser(@RequestBody User user) {return userService.createUser(user);}@PutMapping("/{id}")public User updateUser(@PathVariable Long id, @RequestBody User userDetails) {return userService.updateUser(id, userDetails);}@DeleteMapping("/{id}")public void deleteUser(@PathVariable Long id) {userService.deleteUser(id);}
}
  1. 创建服务层

创建一个服务层来处理与数据库或其他存储系统的交互。在这个例子中,我们有一个UserService接口和它的实现类。例如:

public interface UserService {User getUserById(Long id);List<User> getAllUsers();User createUser(User user);User updateUser(Long id, User userDetails);void deleteUser(Long id);
}

然后,你需要提供一个实现类来实现这个接口。这个实现类可能会使用Spring Data JPA、MyBatis等持久层框架来与数据库交互。
5. 运行应用

最后,运行你的Spring Boot应用。你可以使用Maven或Gradle的命令来运行应用,或者通过IDE直接运行主类。一旦应用启动,你就可以通过浏览器或HTTP客户端工具(如Postman)来测试你的RESTful Web服务了。
6. 测试

为了确保你的RESTful Web服务正常工作,你应该编写一些单元测试和集成测试。Spring Boot提供了很多方便的测试工具和注解,如@SpringBootTest@WebMvcTest等,可以帮助你轻松地编写测试。
7. 优化和扩展

根据你的需求,你可能还需要考虑一些额外的方面,如异常处理、安全性(如使用Spring Security进行身份验证和授权)、性能优化等。你还可以使用Spring Boot的各种插件和扩展来增强你的应用功能。

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

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

相关文章

设计模式-享元模式(Flyweight)

1. 概念 享元模式是一种结构型设计模式&#xff0c;它通过共享技术有效地支持大量细粒度对象的复用。 2. 原理结构图 图1 图2 2. 1 角色 抽象享元&#xff08;Flyweight&#xff09;&#xff1a;这是所有具体享元类的基类&#xff0c;它定义了享元对象的内部状态和外部状…

C语言中生成随机数的几种方式

一.rand 1.rand介绍 C语言提供了一个函数叫rand&#xff0c;这函数是可以生成随机数的&#xff0c;函数原型如下所示&#xff1a; int rand (void); rand函数会返回一个伪随机数&#xff0c;这个随机数的范围是在0~RAND_MAX之间&#xff0c;这个RAND_MAX的大小是依赖编译器…

java快速幂算法

快速幂算法 参考视频(参考五角七边up大佬&#xff09; 幂运算的介绍 幂运算是指将一个数自身乘以自身多次的运算&#xff0c;其表达式为 a n a^n an&#xff0c;其中 a a a 是底数&#xff0c; n n n 是指数。 快速幂解释 快速幂算法是一种用于快速计算幂运算的算法&…

[当人工智能遇上安全] 13.威胁情报实体识别 (3)利用keras构建CNN-BiLSTM-ATT-CRF实体识别模型

《当人工智能遇上安全》系列将详细介绍人工智能与安全相关的论文、实践&#xff0c;并分享各种案例&#xff0c;涉及恶意代码检测、恶意请求识别、入侵检测、对抗样本等等。只想更好地帮助初学者&#xff0c;更加成体系的分享新知识。该系列文章会更加聚焦&#xff0c;更加学术…

Unity中支持泰语--没有版权限制

在Unity中支持泰语主要涉及以下几个方面&#xff1a; 选择合适的字体&#xff1a;在Unity中&#xff0c;确保使用支持泰文字符的字体是至关重要的。例如&#xff0c;可以选择使用Noto Serif Thai字体&#xff0c;这是一个支持泰语的字体2。 处理Unity版本问题&#xff1a;某些…

CentOS 网卡ifcfg-eth0 ping不通外网(www.baidu.com)

1、如果确认好就直接激活网卡&#xff01; ifup eth0 2、慢慢找&#xff1a; cd /etc/sysconfig/network-scripts/ ls 找到你的网卡是啥&#xff0c;这里网卡是 ifcfg-eth0 执行1就好了&#xff01;

JetBrains PyCharm 2024.1 发布 - 面向专业开发者的 Python IDE

JetBrains PyCharm 2024.1 发布 - 面向专业开发者的 Python IDE 请访问原文链接&#xff1a;JetBrains PyCharm 2024.1 (macOS, Linux, Windows) - 面向专业开发者的 Python IDE&#xff0c;查看最新版。原创作品&#xff0c;转载请保留出处。 作者主页&#xff1a;sysin.org…

LINUX[网络编程]

sendto函数的应用&#xff1a;向to结构体指针指向的IP&#xff0c;发送UDP数据 细节请看我注释&#xff0c;注满细节 代码&#xff1a; #include <stdio.h> #include <sys/socket.h> //socket函数 #include <unistd.h> //close函数 #include <st…

「PHP系列」PHP表单及表单验证详解

文章目录 一、表单二、表单校验三、相关链接 一、表单 PHP 表单用于收集用户输入的数据&#xff0c;并将这些数据发送到服务器进行处理。在 PHP 中&#xff0c;通常使用 HTML 表单来收集用户输入&#xff0c;然后通过 PHP 脚本处理这些数据。 <!DOCTYPE html> <html…

acwing2060. 奶牛选美

题目&#xff1a; 代码&#xff1a; //acwing2060. 奶牛选美 #include<iostream> #include<cstring> #include<algorithm> using namespace std; const int N55; const int dx[]{-1,0,1,0},dy[]{0,-1,0,1}; bool st[N][N]; int point[N][N]; char map[N][…

Go实现简单的协程池(通过channel实现)

go编程时&#xff0c;goroutine是非常有用的特性。然而&#xff0c;实践中最好不要无限制的使用goroutine&#xff0c;例如一次性开一万个goroutine去读写文件是很危险的。为了控制goroutine的并行量&#xff0c;有很多框架或库实现了协程池&#xff0c;例如ants&#xff08;很…

MYBATIS获取参数值

MYBATIS最核心的莫过于动态的获取各种的参数值, 为了将来更好的使用MYBATIS进行开发, 我们必须先打好 "获取参数值" 这一基础 一. MYBATIS获取参数值的两种情况: 1.${} 实质:字符串的拼接 注解:${}使用的字符串拼接的方式拼接SQL语句, 所以, 如果其中出现了字符串…

APP下载页前端自适应HTML源码

源码介绍 APP下载页前端自适应HTML源码&#xff0c;可以作为自己的软件介绍页或者app下载页&#xff0c;喜欢的朋友可以拿去研究 效果预览 HTML源码下载 https://www.qqmu.com/3026.html

Flink WordCount实践

目录 前提条件 基本准备 批处理API实现WordCount 流处理API实现WordCount 数据源是文件 数据源是socket文本流 打包 提交到集群运行 命令行提交作业 Web UI提交作业 上传代码到gitee 前提条件 Windows安装好jdk8、Maven3、IDEA Linux安装好Flink集群&#xff0c;可…

线上问题监控 Sentry 接入全过程

背景&#xff1a; 线上偶发问题出现后 &#xff0c;测试人员仅通过接口信息无法复现错误场景&#xff1b;并且线上环境的监控&#xff0c;对于提高系统的稳定性 &#xff08;降低脱发率&#xff09; 至关重要&#xff1b;现在线上监控工具这个多&#xff0c;为什么选择Sentry?…

Java并发(1)--线程,进程,以及缓存

线程和进程是什么&#xff1f; 进程 进程是程序的一次执行过程&#xff0c;系统程序的基本单位。有自己的main方法&#xff0c;并且主要由主方法运行起来的基本上就是进程。 线程 线程与进程相似&#xff0c;但线程是一个比进程更小的执行单位。一个进程在其执行的过程中可以…

vb.net textbox滚动显示到最后一行

调用&#xff1a; Private Sub TextBox18_TextChanged(sender As Object, e As System.EventArgs) Handles TextBox18.TextChanged show_textbox_endline(TextBox18) End Sub 函数&#xff1a; 显示textbox最后一行 Public Sub show_textbox_endline(Tbx As TextB…

MVCC(解决MySql中的并发事务的隔离性)

MVCC 如何保证事务的隔离性&#xff1f; 1.排他锁&#xff1a;如一个事务获取了一个数据行的排他锁&#xff0c;其他事务就不能再获取改行的其他锁。 2.MVCC&#xff1a;多版本并发控制。 MVCC&#xff1a; 1.隐藏字段 1.DB_TRX_ID&#xff1a;最近修改事务的id。默认值从0开…

Selenium自动填写验证码(偏小白版本OCR)

OCR基础示例 我直接 上代码 from PIL import Image import pytesseract# 0 Orientation and script detection (OSD) only. # 1 Automatic page segmentation with OSD. # 2 Automatic page segmentation, but no OSD, or OCR. # 3 Fully automatic page segmentation, but n…

【MYSQL】索引机制概述

由于MySQL是作为存储层部署在业务系统的最后端&#xff0c;所有的业务数据最终都要入库落盘&#xff0c;但随着一个项目在线上运行的时间越来越久&#xff0c;数据库中的数据量自然会越来越多&#xff0c;而数据体积出现增长后&#xff0c;当需要从表查询一些数据时&#xff0c…