朋克大暴走MOD菜单最新版
156.69MB · 2025-10-25
// 构造函数注入(推荐)
@Component
public class UserService {
    private final UserRepository userRepository;
    
    public UserService(UserRepository userRepository) {
        this.userRepository = userRepository;
    }
}
// 字段注入(简洁但不推荐用于生产环境)
@Component
public class UserService {
    @Autowired
    private UserRepository userRepository;
}
// Setter注入(适用于可选依赖)
@Component
public class UserService {
    private UserRepository userRepository;
    
    @Autowired
    public void setUserRepository(UserRepository userRepository) {
        this.userRepository = userRepository;
    }
}
// 根据条件创建Bean
@Configuration
public class AppConfig {
    @Bean
    @ConditionalOnProperty(name = "app.feature.enabled", havingValue = "true")
    public FeatureService featureService() {
        return new FeatureServiceImpl();
    }
    
    @Bean
    @ConditionalOnMissingBean
    public CacheManager cacheManager() {
        return new SimpleCacheManager();
    }
}
// 使用@ConfigurationProperties进行属性绑定
@Component
@ConfigurationProperties(prefix = "app.datasource")
public class DataSourceProperties {
    private String url;
    private String username;
    private String password;
    // getters and setters
}
// 在application.yml中配置
// app:
//   datasource:
//     url: jdbc:mysql://localhost:3306/test
//     username: root
//     password: password
// 不同环境的配置文件
// application.yml - 公共配置
// application-dev.yml - 开发环境
// application-test.yml - 测试环境
// application-prod.yml - 生产环境
// 激活特定环境
@SpringBootApplication
public class Application {
    public static void main(String[] args) {
        SpringApplication.run(Application.class, "--spring.profiles.active=prod");
    }
}
@Aspect
@Order(1)  // 数字越小,优先级越高
@Component
public class SecurityAspect {
    @Before("execution(* com.example.controller.*.*(..))")
    public void checkSecurity(JoinPoint joinPoint) {
        // 安全检查逻辑
    }
}
@Aspect
@Order(2)
@Component
public class LoggingAspect {
    @Before("execution(* com.example.controller.*.*(..))")
    public void logMethod(JoinPoint joinPoint) {
        // 日志记录逻辑
    }
}
// 定义自定义注解
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface LogExecutionTime {
    String value() default "";
}
// 实现切面
@Aspect
@Component
public class LoggingAspect {
    @Around("@annotation(logExecutionTime)")
    public Object logExecutionTime(ProceedingJoinPoint joinPoint, LogExecutionTime logExecutionTime) throws Throwable {
        long startTime = System.currentTimeMillis();
        Object proceed = joinPoint.proceed();
        long executionTime = System.currentTimeMillis() - startTime;
        System.out.println(logExecutionTime.value() + " executed in " + executionTime + "ms");
        return proceed;
    }
}
@Service
public class UserService {
    @Autowired
    private UserRepository userRepository;
    
    // 基本事务配置
    @Transactional
    public void createUser(User user) {
        userRepository.save(user);
    }
    
    // 事务传播行为配置
    @Transactional(propagation = Propagation.REQUIRED)
    public void updateUser(User user) {
        userRepository.save(user);
    }
    
    // 事务隔离级别和回滚规则配置
    @Transactional(isolation = Isolation.READ_COMMITTED, rollbackFor = Exception.class)
    public void processOrder(Order order) {
        // 业务逻辑
    }
}
@Service
public class OrderService {
    @Autowired
    private OrderRepository orderRepository;
    
    @Transactional(rollbackFor = {BusinessException.class, DataIntegrityViolationException.class})
    public void createOrder(Order order) {
        try {
            orderRepository.save(order);
            // 其他业务逻辑
        } catch (DataIntegrityViolationException e) {
            throw new BusinessException("订单创建失败,数据完整性冲突", e);
        }
    }
}
// 启用异步处理
@SpringBootApplication
@EnableAsync
public class Application {
    public static void main(String[] args) {
        SpringApplication.run(Application.class, args);
    }
}
// 配置线程池
@Configuration
public class AsyncConfig {
    @Bean(name = "taskExecutor")
    public Executor taskExecutor() {
        ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
        executor.setCorePoolSize(10);
        executor.setMaxPoolSize(20);
        executor.setQueueCapacity(100);
        executor.setThreadNamePrefix("AsyncTask-");
        executor.initialize();
        return executor;
    }
}
// 使用异步方法
@Service
public class AsyncService {
    @Async("taskExecutor")
    public CompletableFuture<String> asyncMethod() {
        // 异步操作
        return CompletableFuture.completedFuture("操作完成");
    }
    
    // 并行数据聚合
    @Async
    public Future<User> getUserData(Long userId) {
        return new AsyncResult<>(userRepository.findById(userId).orElse(null));
    }
    
    @Async
    public Future<List<Order>> getUserOrders(Long userId) {
        return new AsyncResult<>(orderRepository.findByUserId(userId));
    }
}
// 并行流处理大量数据
List<User> users = userRepository.findAll();
List<UserDTO> userDTOs = users.parallelStream()
    .map(this::convertToDTO)
    .collect(Collectors.toList());
// 使用CompletableFuture进行复杂异步编排
CompletableFuture<User> userFuture = CompletableFuture.supplyAsync(() -> userService.getUser(userId));
CompletableFuture<List<Order>> ordersFuture = CompletableFuture.supplyAsync(() -> orderService.getUserOrders(userId));
CompletableFuture<List<Comment>> commentsFuture = CompletableFuture.supplyAsync(() -> commentService.getUserComments(userId));
// 等待所有异步操作完成并组合结果
CompletableFuture<UserProfile> userProfileFuture = userFuture.thenCombine(ordersFuture, 
    (user, orders) -> {
        UserProfile profile = new UserProfile(user);
        profile.setOrders(orders);
        return profile;
    }).thenCombine(commentsFuture, 
    (profile, comments) -> {
        profile.setComments(comments);
        return profile;
    });
<!-- pom.xml中引入日志依赖 -->
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-logging</artifactId>
</dependency>
<!-- 切换到Log4j2 -->
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter</artifactId>
    <exclusions>
        <exclusion>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-logging</artifactId>
        </exclusion>
    </exclusions>
</dependency>
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-log4j2</artifactId>
</dependency>
// 配置logback-spring.xml
<configuration>
    <appender name="CONSOLE" class="ch.qos.logback.core.ConsoleAppender">
        <encoder>
            <pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n</pattern>
        </encoder>
    </appender>
    
    <appender name="FILE" class="ch.qos.logback.core.rolling.RollingFileAppender">
        <file>logs/application.log</file>
        <rollingPolicy class="ch.qos.logback.core.rolling.TimeBasedRollingPolicy">
            <fileNamePattern>logs/application.%d{yyyy-MM-dd}.log</fileNamePattern>
            <maxHistory>30</maxHistory>
        </rollingPolicy>
        <encoder>
            <pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n</pattern>
        </encoder>
    </appender>
    
    <root level="INFO">
        <appender-ref ref="CONSOLE" />
        <appender-ref ref="FILE" />
    </root>
    
    <logger name="com.example" level="DEBUG" additivity="false">
        <appender-ref ref="CONSOLE" />
        <appender-ref ref="FILE" />
    </logger>
</configuration>
// 正确使用SLF4J记录日志
@Service
public class UserService {
    private static final Logger logger = LoggerFactory.getLogger(UserService.class);
    
    public User getUserById(Long id) {
        logger.debug("Getting user by ID: {}", id);
        try {
            User user = userRepository.findById(id).orElse(null);
            logger.info("User found: {}", user != null ? user.getUsername() : "not found");
            return user;
        } catch (Exception e) {
            logger.error("Error getting user by ID: {}", id, e);
            throw new RuntimeException("Failed to get user", e);
        }
    }
}
// HikariCP配置(Spring Boot 2.x默认)
@Configuration
public class DataSourceConfig {
    @Bean
    @ConfigurationProperties(prefix = "spring.datasource.hikari")
    public DataSource hikariDataSource() {
        return DataSourceBuilder.create().build();
    }
}
// application.yml中的配置
// spring:
//   datasource:
//     hikari:
//       maximum-pool-size: 20
//       minimum-idle: 5
//       idle-timeout: 30000
//       max-lifetime: 1800000
//       connection-timeout: 30000
// 启用缓存
@SpringBootApplication
@EnableCaching
public class Application {
    public static void main(String[] args) {
        SpringApplication.run(Application.class, args);
    }
}
// 配置缓存管理器
@Configuration
public class CacheConfig {
    @Bean
    public CacheManager cacheManager(RedisConnectionFactory factory) {
        RedisCacheManager cacheManager = RedisCacheManager.builder(factory)
            .cacheDefaults(defaultCacheConfig().entryTtl(Duration.ofMinutes(10)))
            .build();
        return cacheManager;
    }
}
// 使用缓存注解
@Service
public class ProductService {
    @Cacheable(value = "products", key = "#id")
    public Product getProductById(Long id) {
        return productRepository.findById(id).orElse(null);
    }
    
    @CacheEvict(value = "products", key = "#product.id")
    public Product updateProduct(Product product) {
        return productRepository.save(product);
    }
}
// 应用级别懒加载
@SpringBootApplication
public class Application {
    public static void main(String[] args) {
        SpringApplicationBuilder builder = new SpringApplicationBuilder(Application.class);
        builder.lazyInitialization(true).run(args);
    }
}
// 特定Bean懒加载
@Component
@Lazy
public class ExpensiveService {
    // 初始化开销大的服务
}
<!-- 添加Actuator依赖 -->
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-actuator</artifactId>
</dependency>
# application.yml配置
management:
  endpoints:
    web:
      exposure:
        include: health,info,metrics,prometheus
  endpoint:
    health:
      show-details: when_authorized
# Nacos作为注册中心和配置中心
spring:
  application:
    name: user-service
  cloud:
    nacos:
      discovery:
        server-addr: localhost:8848
      config:
        server-addr: localhost:8848
        file-extension: yaml
        group: DEFAULT_GROUP
# Spring AI OpenAI配置
spring:
  ai:
    openai:
      api-key: ${OPENAI_API_KEY}
      chat:
        options:
          model: gpt-4
          temperature: 0.7
          max-tokens: 1000
@RestController
public class ChatController {
    private final ChatClient chatClient;
    
    public ChatController(ChatClient.Builder chatClientBuilder) {
        this.chatClient = chatClientBuilder.build();
    }
    
    @GetMapping("/chat")
    public String chat(@RequestParam String message) {
        return chatClient.prompt()
            .user(message)
            .call()
            .content();
    }
    
    // 结构化输出
    @GetMapping("/analyze")
    public ProductAnalysis analyzeProduct(@RequestParam String product) {
        return chatClient.prompt()
            .user("分析产品: " + product)
            .call()
            .entity(ProductAnalysis.class);
    }
}
record ProductAnalysis(String name, double price, List<String> features) {}
// 使用构造函数注入可能导致循环依赖
// 解决方案1:使用@Lazy
@Component
public class ServiceA {
    private final ServiceB serviceB;
    
    public ServiceA(@Lazy ServiceB serviceB) {
        this.serviceB = serviceB;
    }
}
// 解决方案2:使用Setter注入
@Component
public class ServiceA {
    private ServiceB serviceB;
    
    @Autowired
    public void setServiceB(ServiceB serviceB) {
        this.serviceB = serviceB;
    }
}
// 精准指定扫描路径,避免全类路径扫描
@SpringBootApplication(scanBasePackages = {"com.example.controller", "com.example.service"})
public class Application {
    public static void main(String[] args) {
        SpringApplication.run(Application.class, args);
    }
}
// 使用@ComponentScan排除不需要的包
@SpringBootApplication
@ComponentScan(excludeFilters = @ComponentScan.Filter(type = FilterType.REGEX, pattern = "com.example.legacy.*"))
public class Application {
    // ...
}
# 启动时设置JVM参数
java -Xms2g -Xmx2g -XX:+UseG1GC -XX:MaxGCPauseMillis=200 -jar application.jar
<!-- 添加Lombok依赖 -->
<dependency>
    <groupId>org.projectlombok</groupId>
    <artifactId>lombok</artifactId>
    <optional>true</optional>
</dependency>
// 使用Lombok简化代码
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class User {
    private Long id;
    private String username;
    private String email;
}
<!-- 添加DevTools依赖 -->
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-devtools</artifactId>
    <scope>runtime</scope>
    <optional>true</optional>
</dependency>
这些Spring框架的使用技巧涵盖了从基础配置到高级特性的各个方面,可以帮助开发者更高效地使用Spring进行应用开发,提高代码质量和性能。
 
                    