8

我目前正在将Spring Cloud Vault Config集成到 Spring Boot 应用程序中。从主页:

Spring Cloud Vault Config 使用应用程序名称和活动配置文件从 Vaults 读取配置属性:

/secret/{application}/{profile}
/secret/{application}
/secret/{default-context}/{profile}
/secret/{default-context}

我想提供我自己的位置,以便从不以 /secret 开头的 Vault 中提取属性(例如 /deployments/prod)。我一直在查看参考文档,但无论如何我都没有找到指定这一点 - 有可能吗?

4

3 回答 3

4

我能够使用通用后端属性将路径按摩到我正在寻找的东西中。就像是:

spring.cloud.vault:
    generic:
        enabled: true
        backend: deployments
        profile-separator: '/'
        default-context: prod
        application-name: my-app

不幸的是,这也将拾取 Vault 位置deployments/my-appdeployments/prod/activeProfile因此请注意不要在这些位置有任何您不想被拾取的属性。

看起来希望(和实现)允许以更编程的方式指定这些路径。

于 2017-05-16T13:38:24.680 回答
3

应该这样做。

有一个配置类

@Configuration
public class VaultConfiguration {

    @Bean
    public VaultConfigurer configurer() {
        return new VaultConfigurer() {
            @Override
            public void addSecretBackends(SecretBackendConfigurer configurer) {
                configurer.add("secret/my-app/path-1");
                configurer.add("secret/my-app/path-2");

                configurer.registerDefaultGenericSecretBackends(false);
            }
        };
    }
}

这样您就可以扫描放置在自定义路径中的秘密

问候阿伦

于 2018-08-29T12:08:08.343 回答
3

Kotlin我在我的项目中解决了同样的问题。但它也适用于 Java。

问题

我想在 yaml 配置中指定保管库路径,所以我最终得到了以下解决方案,它允许您bootstrap.yml使用清晰的语法直接指定路径,如:

spring:
  cloud:
    vault:
      paths: "secret/your-app"

解决方案:

  1. 在你的项目中创建VaultConfig类,内容如下:
package com.your.app.configuration

import org.springframework.beans.factory.annotation.Value
import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty
import org.springframework.cloud.vault.config.VaultConfigurer
import org.springframework.context.annotation.Bean
import org.springframework.context.annotation.Configuration

@Configuration
@ConditionalOnProperty(
    prefix = "spring.cloud.vault", value = ["paths"],
    matchIfMissing = false
)
class VaultConfig {

    @Value("\${spring.cloud.vault.paths}")
    private lateinit var paths: List<String>

    @Bean
    fun configurer(): VaultConfigurer {
        return VaultConfigurer { configurer ->
            paths.forEach {
                configurer.add(it)
            }
            configurer.registerDefaultGenericSecretBackends(false)
            configurer.registerDefaultDiscoveredSecretBackends(false)
        }
    }
}
  1. 使用内容创建spring.factories文件src/main/resources/META-INF/spring.factories
org.springframework.cloud.bootstrap.BootstrapConfiguration=com.your.app.configuration.VaultConfig

不要忘记指定对您的配置的有效引用,而不是 com.your.app.configuration.VaultConfig

spring.factories允许您的 VaultConfig

如文档所述,在引导上下文中发生。

  1. 现在您可以在 中指定所需的路径bootstrap.yml,如下所示:
spring:
  cloud:
    vault:
      paths: 
        - "secret/application"
        - "secret/your-app"

它应该工作。

于 2020-09-08T14:38:03.503 回答