1

我遵循SteelToe从我的配置服务器访问配置数据的文档。https://steeltoe.io/docs/steeltoe-configuration/#2-2-5-access-configuration-data

在我的内部,我TestController在构造函数中设置了配置全局变量。但是,当我检查变量时_config,它基本上没有null值。

我不确定是否需要将值物理映射到CustomConfig类属性?因为这没有在文档中指定。

启动.cs

public class CustomConfig { 
     public string Message { get; set; } 
}

public Startup(IConfiguration configuration, IHostingEnvironment env)
{

     var builder = new ConfigurationBuilder()
          .SetBasePath(env.ContentRootPath)
          .AddConfiguration(configuration)
          .AddCloudFoundry()
          .AddEnvironmentVariables();

     this.Configuration = builder.Build();
}

public IConfiguration Configuration { get; }

public void ConfigureServices(IServiceCollection services)
{
     services.Configure<CustomConfig>(Configuration.GetSection("spring:cloud:config:uri"));
}

程序.cs

public class Program
{
   public static void Main(string[] args)
   {
        CreateWebHostBuilder(args)
            .Build()
            .Run();
   }

    public static IWebHostBuilder CreateWebHostBuilder(string[] args) =>
        WebHost.CreateDefaultBuilder(args)
            .AddConfigServer()
            .UseStartup<Startup>();
    }
}

控制器.cs

public class TestController : ControllerBase
{
     private Startup.CustomConfig _config;     
     public TestController(IOptions<Startup.CustomConfig> configSettings)
     {
          _config = configSettings.value; // this is null
     }
}
4

2 回答 2

1

好吧,似乎解决我的问题的唯一方法如下:

该类CustomConfig被扩展为有一个构造函数,在这个构造函数中,我uri从配置服务器获取值

public class CustomConfig
{
    public string uri { get; set; }

    public CustomConfig(IConfiguration configuration)
    {
        uri = configuration.GetValue<string>("spring:cloud:config:uri");
    }
}

然后在我的 Controller 中,我在构造函数中调用该类,如下所示:

private Startup.CustomConfig _customConfig;

public TestController(Startup.CustomConfig customConfig)
{
    _customConfig = customConfig;
}

当我检查_customConfig变量时,它包含我的uri值。

我不会将此标记为答案,并将等待其他人的建议。

于 2019-07-08T22:07:08.993 回答
1

这里发生了几件事,阻碍了你的发展:

  1. 不要在 Startup 中构建配置,应该在 program.cs 中处理
  2. 将配置绑定到自定义类时,属性名称需要匹配
  3. 选项应该配置在Configure
于 2019-07-10T21:39:07.460 回答