7

将 VS 连接服务 (NSwag) 注入类/控制器的首选方法是什么。我在网上找到了很多使用此表格的建议:

services.AddHttpClient<IClient, Client>((provider, client) =>
    {
        client.BaseAddress = new System.Uri("https://some.baseurl/");
    });

但是,这会导致错误

{"errorMessage":"Unable to resolve service for type 'System.String' while attempting to activate 'xxx.Client'."}

这来自自动生成的客户端类obj,它似乎在构造函数中强制使用字符串 BaseUrl,当然 DI 无法解析:

public Client(string baseUrl, System.Net.Http.HttpClient httpClient)
{
    BaseUrl = baseUrl;
    _httpClient = httpClient;
    _settings = new System.Lazy<Newtonsoft.Json.JsonSerializerSettings>(CreateSerializerSettings);
}

这个基本 URL 后来被强制到 url 构建器代码中,所以它不能真正被绕过。然而,即使是网络上对客户端类使用部分扩展的解决方案,似乎也完全忽略了 auto-gen 类中的 baseUrl(如这里)。好像它不存在(这很奇怪,NSwag 之前是否生成了不同的构造函数?)。该类是通过 csproj 生成的:

  <ItemGroup>
    <OpenApiReference Include="OpenAPIs\swagger.json" CodeGenerator="NSwagCSharp" Namespace="xxx" ClassName="Client">
      <SourceUri>https://localhost:44353/swagger/v1/swagger.json</SourceUri>
    </OpenApiReference>
  </ItemGroup>

这会导致目标构建调用:

2>GenerateNSwagCSharp:
2>  "C:\.<path>./tools/Win/NSwag.exe" openapi2csclient /className:Client /namespace:xxx /input:"C:\<projpath>\OpenAPIs\swagger.json" /output:"obj\swaggerClient.cs"
2>NSwag command line tool for .NET 4.6.1+ WinX64, toolchain v13.13.2.0 (NJsonSchema v10.5.2.0 (Newtonsoft.Json v11.0.0.0))

那么,这是如何做到的呢?潜在地,如果不为代理类创建另一个代理类,我宁愿 DI 处理我的对象生命周期。如果可能,我还想避免使用 NSwagStudio,并希望保留 VS 提供的工具。

4

2 回答 2

2

好的,我实际上是通过查看解决了这个问题OpenApiReference,但是它需要手动修改 csproj 文件。必须将额外Options的节点添加到OpenApiReference项目组中,以指示 NSwag 不公开 BaseUrl 并生成一个接口,这可以简化设置 DI 的工作而无需额外的代码。

Visual Studio 团队确实应该将这两个复选框添加到 OpenAPI 的 Connected Services 屏幕/配置中。

<ItemGroup>
  <OpenApiReference Include="OpenAPIs\swagger.json" CodeGenerator="NSwagCSharp" Namespace="xxx" ClassName="Client">
    <SourceUri>https://localhost:44353/swagger/v1/swagger.json</SourceUri>
    <Options>/UseBaseUrl:false /GenerateClientInterfaces:true</Options>
  </OpenApiReference>
</ItemGroup>

现在只有一个HttpClient构造函数,并且 NSwag 客户端代理使用它的基地址,因此AddHttpClient通过 DI 可以正常工作。

于 2021-09-26T13:03:45.727 回答
0

由于生成的类被标记为部分,您可以提供一个额外的构造函数并用[ActivatorUtilitiesConstructor]属性标记它。应用属性确保构造函数与依赖注入一起使用。您还可以在部分扩展中实现该接口。这是一个例子;

public partial class MyApiClient : IMyApiClient
{
    [ActivatorUtilitiesConstructor] // This ctor will be used by DI
    public MyApiClient(HttpClient httpClient, IOptions<MyApiClientOptions> clientOptions)
    : this(clientOptions.Value.Url, httpClient) // Call generated ctor
    {
    }
}
于 2021-12-03T11:27:55.690 回答