欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

SpringBoot動(dòng)態(tài)修改配置的十種方法

 更新時(shí)間:2025年05月11日 08:45:13   作者:風(fēng)象南  
在SpringBoot應(yīng)用中,配置信息通常通過(guò)application.properties或application.yml文件靜態(tài)定義,應(yīng)用啟動(dòng)后這些配置就固定下來(lái)了,但我們常常需要在不重啟應(yīng)用的情況下動(dòng)態(tài)修改配置,本文將介紹SpringBoot中10種實(shí)現(xiàn)配置動(dòng)態(tài)修改的方法,需要的朋友可以參考下

引言

在SpringBoot應(yīng)用中,配置信息通常通過(guò)application.propertiesapplication.yml文件靜態(tài)定義,應(yīng)用啟動(dòng)后這些配置就固定下來(lái)了。

但我們常常需要在不重啟應(yīng)用的情況下動(dòng)態(tài)修改配置,以實(shí)現(xiàn)灰度發(fā)布、A/B測(cè)試、動(dòng)態(tài)調(diào)整線程池參數(shù)、切換功能開(kāi)關(guān)等場(chǎng)景。

本文將介紹SpringBoot中10種實(shí)現(xiàn)配置動(dòng)態(tài)修改的方法。

1. @RefreshScope結(jié)合Actuator刷新端點(diǎn)

Spring Cloud提供的@RefreshScope注解是實(shí)現(xiàn)配置熱刷新的基礎(chǔ)方法。

實(shí)現(xiàn)步驟

  • 添加依賴:
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-actuator</artifactId>
</dependency>
<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-starter</artifactId>
</dependency>
  • 開(kāi)啟刷新端點(diǎn):
management.endpoints.web.exposure.include=refresh
  • 給配置類添加@RefreshScope注解:
@RefreshScope
@RestController
public class ConfigController {
    
    @Value("${app.message:Default message}")
    private String message;
    
    @GetMapping("/message")
    public String getMessage() {
        return message;
    }
}
  • 修改配置后,調(diào)用刷新端點(diǎn):
curl -X POST http://localhost:8080/actuator/refresh

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 實(shí)現(xiàn)簡(jiǎn)單,利用Spring Cloud提供的現(xiàn)成功能
  • 無(wú)需引入額外的配置中心

缺點(diǎn)

  • 需要手動(dòng)觸發(fā)刷新
  • 只能刷新單個(gè)實(shí)例,在集群環(huán)境中需要逐個(gè)調(diào)用
  • 只能重新加載配置源中的值,無(wú)法動(dòng)態(tài)添加新配置

2. Spring Cloud Config配置中心

Spring Cloud Config提供了一個(gè)中心化的配置服務(wù)器,支持配置文件的版本控制和動(dòng)態(tài)刷新。

實(shí)現(xiàn)步驟

  • 設(shè)置Config Server:
<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-config-server</artifactId>
</dependency>
@SpringBootApplication
@EnableConfigServer
public class ConfigServerApplication {
    public static void main(String[] args) {
        SpringApplication.run(ConfigServerApplication.class, args);
    }
}
spring.cloud.config.server.git.uri=https://github.com/your-repo/config
  • 客戶端配置:
<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-starter-config</artifactId>
</dependency>
<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-starter-bootstrap</artifactId>
</dependency>
# bootstrap.properties
spring.application.name=my-service
spring.cloud.config.uri=http://localhost:8888
<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-starter-bus-amqp</artifactId>
</dependency>

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 提供配置的版本控制
  • 支持配置的環(huán)境隔離
  • 通過(guò)Spring Cloud Bus可實(shí)現(xiàn)集群配置的自動(dòng)刷新

缺點(diǎn)

  • 引入了額外的基礎(chǔ)設(shè)施復(fù)雜性
  • 依賴額外的消息總線實(shí)現(xiàn)集群刷新
  • 配置更新有一定延遲

3. 基于數(shù)據(jù)庫(kù)的配置存儲(chǔ)

將配置信息存儲(chǔ)在數(shù)據(jù)庫(kù)中,通過(guò)定時(shí)任務(wù)或事件觸發(fā)機(jī)制實(shí)現(xiàn)配置刷新。

實(shí)現(xiàn)方案

  • 創(chuàng)建配置表:
CREATE TABLE app_config (
    config_key VARCHAR(100) PRIMARY KEY,
    config_value VARCHAR(500) NOT NULL,
    description VARCHAR(200),
    update_time TIMESTAMP
);
  • 實(shí)現(xiàn)配置加載和刷新:
@Service
public class DatabaseConfigService {
    
    @Autowired
    private JdbcTemplate jdbcTemplate;
    
    private Map<String, String> configCache = new ConcurrentHashMap<>();
    
    @PostConstruct
    public void init() {
        loadAllConfig();
    }
    
    @Scheduled(fixedDelay = 60000)  // 每分鐘刷新
    public void loadAllConfig() {
        List<Map<String, Object>> rows = jdbcTemplate.queryForList("SELECT config_key, config_value FROM app_config");
        for (Map<String, Object> row : rows) {
            configCache.put((String) row.get("config_key"), (String) row.get("config_value"));
        }
    }
    
    public String getConfig(String key, String defaultValue) {
        return configCache.getOrDefault(key, defaultValue);
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 簡(jiǎn)單直接,無(wú)需額外組件
  • 可以通過(guò)管理界面實(shí)現(xiàn)配置可視化管理
  • 配置持久化,重啟不丟失

缺點(diǎn)

  • 刷新延遲取決于定時(shí)任務(wù)間隔
  • 數(shù)據(jù)庫(kù)成為潛在的單點(diǎn)故障
  • 需要自行實(shí)現(xiàn)配置的版本控制和權(quán)限管理

4. 使用ZooKeeper管理配置

利用ZooKeeper的數(shù)據(jù)變更通知機(jī)制,實(shí)現(xiàn)配置的實(shí)時(shí)動(dòng)態(tài)更新。

實(shí)現(xiàn)步驟

  • 添加依賴:
<dependency>
    <groupId>org.apache.curator</groupId>
    <artifactId>curator-recipes</artifactId>
    <version>5.1.0</version>
</dependency>
  • 實(shí)現(xiàn)配置監(jiān)聽(tīng):
@Component
public class ZookeeperConfigManager {
    
    private final CuratorFramework client;
    private final Map<String, String> configCache = new ConcurrentHashMap<>();
    
    @Autowired
    public ZookeeperConfigManager(CuratorFramework client) {
        this.client = client;
        initConfig();
    }
    
    private void initConfig() {
        try {
            String configPath = "/config";
            if (client.checkExists().forPath(configPath) == null) {
                client.create().creatingParentsIfNeeded().forPath(configPath);
            }
            
            List<String> keys = client.getChildren().forPath(configPath);
            for (String key : keys) {
                String fullPath = configPath + "/" + key;
                byte[] data = client.getData().forPath(fullPath);
                configCache.put(key, new String(data));
                
                // 添加監(jiān)聽(tīng)器
                NodeCache nodeCache = new NodeCache(client, fullPath);
                nodeCache.getListenable().addListener(() -> {
                    byte[] newData = nodeCache.getCurrentData().getData();
                    configCache.put(key, new String(newData));
                    System.out.println("Config updated: " + key + " = " + new String(newData));
                });
                nodeCache.start();
            }
        } catch (Exception e) {
            throw new RuntimeException("Failed to initialize config from ZooKeeper", e);
        }
    }
    
    public String getConfig(String key, String defaultValue) {
        return configCache.getOrDefault(key, defaultValue);
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 實(shí)時(shí)通知,配置變更后立即生效
  • ZooKeeper提供高可用性保證
  • 適合分布式環(huán)境下的配置同步

缺點(diǎn)

  • 需要維護(hù)ZooKeeper集群
  • 配置管理不如專用配置中心直觀
  • 存儲(chǔ)大量配置時(shí)性能可能受影響

5. Redis發(fā)布訂閱機(jī)制實(shí)現(xiàn)配置更新

利用Redis的發(fā)布訂閱功能,實(shí)現(xiàn)配置變更的實(shí)時(shí)通知。

實(shí)現(xiàn)方案

  • 添加依賴:
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>
  • 實(shí)現(xiàn)配置刷新監(jiān)聽(tīng):
@Component
public class RedisConfigManager {
    
    @Autowired
    private StringRedisTemplate redisTemplate;
    
    private final Map<String, String> configCache = new ConcurrentHashMap<>();
    
    @PostConstruct
    public void init() {
        loadAllConfig();
        subscribeConfigChanges();
    }
    
    private void loadAllConfig() {
        Set<String> keys = redisTemplate.keys("config:*");
        if (keys != null) {
            for (String key : keys) {
                String value = redisTemplate.opsForValue().get(key);
                configCache.put(key.replace("config:", ""), value);
            }
        }
    }
    
    private void subscribeConfigChanges() {
        redisTemplate.getConnectionFactory().getConnection().subscribe(
            (message, pattern) -> {
                String[] parts = new String(message.getBody()).split("=");
                if (parts.length == 2) {
                    configCache.put(parts[0], parts[1]);
                }
            },
            "config-channel".getBytes()
        );
    }
    
    public String getConfig(String key, String defaultValue) {
        return configCache.getOrDefault(key, defaultValue);
    }
    
    // 更新配置的方法(管理端使用)
    public void updateConfig(String key, String value) {
        redisTemplate.opsForValue().set("config:" + key, value);
        redisTemplate.convertAndSend("config-channel", key + "=" + value);
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 實(shí)現(xiàn)簡(jiǎn)單,利用Redis的發(fā)布訂閱機(jī)制
  • 集群環(huán)境下配置同步實(shí)時(shí)高效
  • 可以與現(xiàn)有Redis基礎(chǔ)設(shè)施集成

缺點(diǎn)

  • 依賴Redis的可用性
  • 需要確保消息不丟失
  • 缺乏版本控制和審計(jì)功能

6. 自定義配置加載器和監(jiān)聽(tīng)器

通過(guò)自定義Spring的PropertySource和文件監(jiān)聽(tīng)機(jī)制,實(shí)現(xiàn)本地配置文件的動(dòng)態(tài)加載。

實(shí)現(xiàn)方案

@Component
public class DynamicPropertySource implements ApplicationContextAware {
    
    private static final Logger logger = LoggerFactory.getLogger(DynamicPropertySource.class);
    private ConfigurableApplicationContext applicationContext;
    private File configFile;
    private Properties properties = new Properties();
    private FileWatcher fileWatcher;
    
    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
        this.applicationContext = (ConfigurableApplicationContext) applicationContext;
        try {
            configFile = new File("config/dynamic.properties");
            if (configFile.exists()) {
                loadProperties();
                registerPropertySource();
                startFileWatcher();
            }
        } catch (Exception e) {
            logger.error("Failed to initialize dynamic property source", e);
        }
    }
    
    private void loadProperties() throws IOException {
        try (FileInputStream fis = new FileInputStream(configFile)) {
            properties.load(fis);
        }
    }
    
    private void registerPropertySource() {
        MutablePropertySources propertySources = applicationContext.getEnvironment().getPropertySources();
        PropertiesPropertySource propertySource = new PropertiesPropertySource("dynamic", properties);
        propertySources.addFirst(propertySource);
    }
    
    private void startFileWatcher() {
        fileWatcher = new FileWatcher(configFile);
        fileWatcher.setListener(new FileChangeListener() {
            @Override
            public void fileChanged() {
                try {
                    Properties newProps = new Properties();
                    try (FileInputStream fis = new FileInputStream(configFile)) {
                        newProps.load(fis);
                    }
                    
                    // 更新已有屬性
                    MutablePropertySources propertySources = applicationContext.getEnvironment().getPropertySources();
                    PropertiesPropertySource oldSource = (PropertiesPropertySource) propertySources.get("dynamic");
                    if (oldSource != null) {
                        propertySources.replace("dynamic", new PropertiesPropertySource("dynamic", newProps));
                    }
                    
                    // 發(fā)布配置變更事件
                    applicationContext.publishEvent(new EnvironmentChangeEvent(Collections.singleton("dynamic")));
                    
                    logger.info("Dynamic properties reloaded");
                } catch (Exception e) {
                    logger.error("Failed to reload properties", e);
                }
            }
        });
        fileWatcher.start();
    }
    
    // 文件監(jiān)聽(tīng)器實(shí)現(xiàn)(簡(jiǎn)化版)
    private static class FileWatcher extends Thread {
        private final File file;
        private FileChangeListener listener;
        private long lastModified;
        
        public FileWatcher(File file) {
            this.file = file;
            this.lastModified = file.lastModified();
        }
        
        public void setListener(FileChangeListener listener) {
            this.listener = listener;
        }
        
        @Override
        public void run() {
            try {
                while (!Thread.interrupted()) {
                    long newLastModified = file.lastModified();
                    if (newLastModified != lastModified) {
                        lastModified = newLastModified;
                        if (listener != null) {
                            listener.fileChanged();
                        }
                    }
                    Thread.sleep(5000);  // 檢查間隔
                }
            } catch (InterruptedException e) {
                // 線程中斷
            }
        }
    }
    
    private interface FileChangeListener {
        void fileChanged();
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 不依賴外部服務(wù),完全自主控制
  • 可以監(jiān)控本地文件變更實(shí)現(xiàn)實(shí)時(shí)刷新
  • 適合單體應(yīng)用或簡(jiǎn)單場(chǎng)景

缺點(diǎn)

  • 配置分發(fā)需要額外機(jī)制支持
  • 集群環(huán)境下配置一致性難以保證
  • 需要較多自定義代碼

7. Apollo配置中心

攜程開(kāi)源的Apollo是一個(gè)功能強(qiáng)大的分布式配置中心,提供配置修改、發(fā)布、回滾等完整功能。

實(shí)現(xiàn)步驟

  • 添加依賴:
<dependency>
    <groupId>com.ctrip.framework.apollo</groupId>
    <artifactId>apollo-client</artifactId>
    <version>2.0.1</version>
</dependency>
  • 配置Apollo客戶端:
# app.properties
app.id=your-app-id
apollo.meta=http://apollo-config-service:8080
  • 啟用Apollo:
@SpringBootApplication
@EnableApolloConfig
public class Application {
    public static void main(String[] args) {
        SpringApplication.run(Application.class, args);
    }
}
  • 使用配置:
@Component
public class SampleService {
    
    @Value("${timeout:1000}")
    private int timeout;
    
    // 監(jiān)聽(tīng)特定配置變更
    @ApolloConfigChangeListener
    public void onConfigChange(ConfigChangeEvent event) {
        if (event.isChanged("timeout")) {
            ConfigChange change = event.getChange("timeout");
            System.out.println("timeout changed from " + change.getOldValue() + " to " + change.getNewValue());
            // 可以在這里執(zhí)行特定邏輯,如重新初始化線程池等
        }
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 提供完整的配置管理界面
  • 支持配置的灰度發(fā)布
  • 具備權(quán)限控制和操作審計(jì)
  • 集群自動(dòng)同步,無(wú)需手動(dòng)刷新

缺點(diǎn)

  • 需要部署和維護(hù)Apollo基礎(chǔ)設(shè)施
  • 學(xué)習(xí)成本相對(duì)較高
  • 小型項(xiàng)目可能過(guò)于重量級(jí)

8. Nacos配置管理

阿里開(kāi)源的Nacos既是服務(wù)發(fā)現(xiàn)組件,也是配置中心,廣泛應(yīng)用于Spring Cloud Alibaba生態(tài)。

實(shí)現(xiàn)步驟

  • 添加依賴:
<dependency>
    <groupId>com.alibaba.cloud</groupId>
    <artifactId>spring-cloud-starter-alibaba-nacos-config</artifactId>
</dependency>
  • 配置Nacos:
# bootstrap.properties
spring.application.name=my-service
spring.cloud.nacos.config.server-addr=127.0.0.1:8848
# 支持多配置文件
spring.cloud.nacos.config.extension-configs[0].data-id=database.properties
spring.cloud.nacos.config.extension-configs[0].group=DEFAULT_GROUP
spring.cloud.nacos.config.extension-configs[0].refresh=true
  • 使用配置:
@RestController
@RefreshScope
public class ConfigController {
    
    @Value("${useLocalCache:false}")
    private boolean useLocalCache;
    
    @GetMapping("/cache")
    public boolean getUseLocalCache() {
        return useLocalCache;
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 與Spring Cloud Alibaba生態(tài)無(wú)縫集成
  • 配置和服務(wù)發(fā)現(xiàn)功能二合一
  • 輕量級(jí),易于部署和使用
  • 支持配置的動(dòng)態(tài)刷新和監(jiān)聽(tīng)

缺點(diǎn)

  • 部分高級(jí)功能不如Apollo豐富
  • 需要額外維護(hù)Nacos服務(wù)器
  • 需要使用bootstrap配置機(jī)制

9. Spring Boot Admin與Actuator結(jié)合

Spring Boot Admin提供了Web UI來(lái)管理和監(jiān)控Spring Boot應(yīng)用,結(jié)合Actuator的環(huán)境端點(diǎn)可以實(shí)現(xiàn)配置的可視化管理。

實(shí)現(xiàn)步驟

  • 設(shè)置Spring Boot Admin服務(wù)器:
<dependency>
    <groupId>de.codecentric</groupId>
    <artifactId>spring-boot-admin-starter-server</artifactId>
    <version>2.7.0</version>
</dependency>
@SpringBootApplication
@EnableAdminServer
public class AdminServerApplication {
    public static void main(String[] args) {
        SpringApplication.run(AdminServerApplication.class, args);
    }
}
  • 配置客戶端應(yīng)用:
<dependency>
    <groupId>de.codecentric</groupId>
    <artifactId>spring-boot-admin-starter-client</artifactId>
    <version>2.7.0</version>
</dependency>
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-actuator</artifactId>
</dependency>
spring.boot.admin.client.url=http://localhost:8080
management.endpoints.web.exposure.include=*
management.endpoint.env.post.enabled=true
  • 通過(guò)Spring Boot Admin UI修改配置

Spring Boot Admin提供UI界面,可以查看和修改應(yīng)用的環(huán)境屬性。通過(guò)發(fā)送POST請(qǐng)求到/actuator/env端點(diǎn)修改配置。

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 提供可視化操作界面
  • 與Spring Boot自身監(jiān)控功能集成
  • 無(wú)需額外的配置中心組件

缺點(diǎn)

  • 修改的配置不持久化,應(yīng)用重啟后丟失
  • 安全性較弱,需要額外加強(qiáng)保護(hù)
  • 不適合大規(guī)模生產(chǎn)環(huán)境的配置管理

10. 使用@ConfigurationProperties結(jié)合EventListener

利用Spring的事件機(jī)制和@ConfigurationProperties綁定功能,實(shí)現(xiàn)配置的動(dòng)態(tài)更新。

實(shí)現(xiàn)方案

  • 定義配置屬性類:
@Component
@ConfigurationProperties(prefix = "app")
@Setter
@Getter
public class ApplicationProperties {
    
    private int connectionTimeout;
    private int readTimeout;
    private int maxConnections;
    private Map<String, String> features = new HashMap<>();
    
    // 初始化客戶端的方法
    public HttpClient buildHttpClient() {
        return HttpClient.newBuilder()
                .connectTimeout(Duration.ofMillis(connectionTimeout))
                .build();
    }
}
  • 添加配置刷新機(jī)制:
@Component
@RequiredArgsConstructor
public class ConfigRefresher {
    
    private final ApplicationProperties properties;
    private final ApplicationContext applicationContext;
    private HttpClient httpClient;
    
    @PostConstruct
    public void init() {
        refreshHttpClient();
    }
    
    @EventListener(EnvironmentChangeEvent.class)
    public void onEnvironmentChange() {
        refreshHttpClient();
    }
    
    private void refreshHttpClient() {
        httpClient = properties.buildHttpClient();
        System.out.println("HttpClient refreshed with timeout: " + properties.getConnectionTimeout());
    }
    
    public HttpClient getHttpClient() {
        return this.httpClient;
    }
    
    // 手動(dòng)觸發(fā)配置刷新的方法
    public void refreshProperties(Map<String, Object> newProps) {
        PropertiesPropertySource propertySource = new PropertiesPropertySource(
                "dynamic", convertToProperties(newProps));
        
        ConfigurableEnvironment env = (ConfigurableEnvironment) applicationContext.getEnvironment();
        env.getPropertySources().addFirst(propertySource);
        
        // 觸發(fā)環(huán)境變更事件
        applicationContext.publishEvent(new EnvironmentChangeEvent(newProps.keySet()));
    }
    
    private Properties convertToProperties(Map<String, Object> map) {
        Properties properties = new Properties();
        for (Map.Entry<String, Object> entry : map.entrySet()) {
            properties.put(entry.getKey(), entry.getValue().toString());
        }
        return properties;
    }
}

優(yōu)缺點(diǎn)

優(yōu)點(diǎn)

  • 強(qiáng)類型的配置綁定
  • 利用Spring內(nèi)置機(jī)制,無(wú)需額外組件
  • 靈活性高,可與其他配置源結(jié)合

缺點(diǎn)

  • 需要編寫(xiě)較多代碼
  • 配置變更通知需要額外實(shí)現(xiàn)
  • 不適合大規(guī)?;蚩绶?wù)的配置管理

方法比較與選擇指南

方法易用性功能完整性適用規(guī)模實(shí)時(shí)性
@RefreshScope+Actuator★★★★★★★小型手動(dòng)觸發(fā)
Spring Cloud Config★★★★★★★中大型需配置
數(shù)據(jù)庫(kù)存儲(chǔ)★★★★★★★中型定時(shí)刷新
ZooKeeper★★★★★★中型實(shí)時(shí)
Redis發(fā)布訂閱★★★★★★★中型實(shí)時(shí)
自定義配置加載器★★★★★小型定時(shí)刷新
Apollo★★★★★★★★中大型實(shí)時(shí)
Nacos★★★★★★★★中大型實(shí)時(shí)
Spring Boot Admin★★★★★★小型手動(dòng)觸發(fā)
@ConfigurationProperties+事件★★★★★★小型事件觸發(fā)

總結(jié)

動(dòng)態(tài)配置修改能夠提升系統(tǒng)的靈活性和可管理性,選擇合適的動(dòng)態(tài)配置方案應(yīng)綜合考慮應(yīng)用規(guī)模、團(tuán)隊(duì)熟悉度、基礎(chǔ)設(shè)施現(xiàn)狀和業(yè)務(wù)需求。

無(wú)論選擇哪種方案,確保配置的安全性、一致性和可追溯性都是至關(guān)重要的。

以上就是SpringBoot動(dòng)態(tài)修改配置的十種方法的詳細(xì)內(nèi)容,更多關(guān)于SpringBoot動(dòng)態(tài)修改配置的資料請(qǐng)關(guān)注腳本之家其它相關(guān)文章!

相關(guān)文章

  • SpringCloudConfig之client端報(bào)錯(cuò)Could?not?resolve?placeholder問(wèn)題

    SpringCloudConfig之client端報(bào)錯(cuò)Could?not?resolve?placeholder問(wèn)

    這篇文章主要介紹了SpringCloudConfig之client端報(bào)錯(cuò)Could?not?resolve?placeholder?‘from‘?in?value?“${from}“問(wèn)題及解決方案,具有很好的參考價(jià)值,希望對(duì)大家有所幫助
    2022-12-12
  • 使用java的milo框架訪問(wèn)OPCUA服務(wù)的過(guò)程

    使用java的milo框架訪問(wèn)OPCUA服務(wù)的過(guò)程

    這篇文章主要介紹了使用java的milo框架訪問(wèn)OPCUA服務(wù)的方法,本次采用KEPServerEX5模擬服務(wù)端,使用milo開(kāi)發(fā)的程序作為客戶端,具體操作使用過(guò)程跟隨小編一起看看吧
    2022-01-01
  • 詳解Springboot快速搭建跨域API接口的步驟(idea社區(qū)版2023.1.4+apache-maven-3.9.3-bin)

    詳解Springboot快速搭建跨域API接口的步驟(idea社區(qū)版2023.1.4+apache-maven-3.9.

    這篇文章主要介紹了Springboot快速搭建跨域API接口(idea社區(qū)版2023.1.4+apache-maven-3.9.3-bin),本文通過(guò)圖文并茂的形式給大家介紹的非常詳細(xì),需要的朋友可以參考下
    2023-07-07
  • spring注解如何為bean指定InitMethod和DestroyMethod

    spring注解如何為bean指定InitMethod和DestroyMethod

    這篇文章主要介紹了spring注解如何為bean指定InitMethod和DestroyMethod,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。如有錯(cuò)誤或未考慮完全的地方,望不吝賜教
    2021-11-11
  • mybatis的動(dòng)態(tài)sql之if test的使用說(shuō)明

    mybatis的動(dòng)態(tài)sql之if test的使用說(shuō)明

    這篇文章主要介紹了mybatis的動(dòng)態(tài)sql之if test的使用說(shuō)明,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。一起跟隨小編過(guò)來(lái)看看吧
    2021-02-02
  • 使用IntelliJ IDEA調(diào)式Stream流的方法步驟

    使用IntelliJ IDEA調(diào)式Stream流的方法步驟

    本文主要介紹了使用IntelliJ IDEA調(diào)式Stream流的方法步驟,文中通過(guò)示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下
    2022-05-05
  • Spring?Boot整合log4j2日志配置的詳細(xì)教程

    Spring?Boot整合log4j2日志配置的詳細(xì)教程

    這篇文章主要介紹了SpringBoot項(xiàng)目中整合Log4j2日志框架的步驟和配置,包括常用日志框架的比較、配置參數(shù)介紹、Log4j2配置詳解以及使用步驟,文中通過(guò)代碼介紹的非常詳細(xì),需要的朋友可以參考下
    2025-02-02
  • springboot整合多數(shù)據(jù)源配置方式

    springboot整合多數(shù)據(jù)源配置方式

    這篇文章主要介紹了springboot整合多數(shù)據(jù)源配置,多數(shù)據(jù)源整合springboot+mybatis使用分包方式整合,springboot+druid+mybatisplus使用注解整合,本文通過(guò)實(shí)例代碼給大家介紹的非常詳細(xì),需要的朋友可以參考下
    2021-12-12
  • java中年月日的加減法使用示例

    java中年月日的加減法使用示例

    這篇文章主要介紹了java中年月日的加減法使用示例的相關(guān)資料,需要的朋友可以參考下
    2023-02-02
  • Java中的SimpleDateFormat的線程安全問(wèn)題詳解

    Java中的SimpleDateFormat的線程安全問(wèn)題詳解

    這篇文章主要介紹了Java中的SimpleDateFormat的線程安全問(wèn)題詳解,sonar 是一個(gè)代碼質(zhì)量管理工具,SonarQube是一個(gè)用于代碼質(zhì)量管理的開(kāi)放平臺(tái),為項(xiàng)目提供可視化報(bào)告, 連續(xù)追蹤項(xiàng)目質(zhì)量演化過(guò)程,需要的朋友可以參考下
    2024-01-01

最新評(píng)論