前置条件: 《Dapr 运用》


改造 ProductService 以提供 gRPC 服务

  1. 从 NuGet 或程序包管理控制台安装 gRPC 服务必须的包

    • Grpc.AspNetCore
  2. 配置 Http/2

    • gRPC 服务需要 Http/2 协议

      1. public static IHostBuilder CreateHostBuilder(string[] args)
      2. {
      3. return Host.CreateDefaultBuilder(args)
      4. .ConfigureWebHostDefaults(webBuilder =>
      5. {
      6. webBuilder.ConfigureKestrel(options =>
      7. {
      8. options.Listen(IPAddress.Loopback, 50![](https://img2018.cnblogs.com/blog/757544/201912/757544-20191218205830077-211023565.png)

01, listenOptions =>

{

listenOptions.Protocols = HttpProtocols.Http2;

});

});

webBuilder.UseStartup();

});

}

```

  1. 新建了 product.proto 以定义 GRPC 服务,它需要完成的内容是返回所有产品集合,当然目前产品内容只有一个 ID

    • 定义产品 proto

      1. syntax = "proto3";
      2. package productlist.v1;
      3. option csharp_namespace = "ProductList.V1";
      4. service ProductRPCService{
      5. rpc GetAllProducts(ProductListRequest) returns(ProductList);
      6. }
      7. message ProductListRequest{
      8. }
      9. message ProductList {
      10. repeated Product results = 1;
      11. }
      12. message Product {
      13. string ID=1;
      14. }

      说明

      • 定义产品列表 gRPC 服务,得益于宇宙第一 IDE Visual Studio ,只要添加 Grpc.Tools 包就可以自动生成 gRPC 所需的代码,这里不再需要手动去添加 Grpc.Tools ,官方提供的 Grpc.AspNetCore 中已经集成了
      • 定义了一个服务 ProductRPCService
      • 定义了一个函数 ProductRPCService
      • 定义了一个请求构造 ProductListRequest ,内容为空
      • 定义了一个请求返回构造 ProductList ,使用 repeated 表明返回数据是集合
      • 定义了一个数据集合中的一个对象 Product
    • 添加 ProductListService 文件,内容如下

      1. public class ProductListService : ProductRPCService.ProductRPCServiceBase
      2. {
      3. private readonly ProductContext _productContext;
      4. public ProductListService(ProductContext productContext)
      5. {
      6. _productContext = productContext;
      7. }
      8. public override async Task<ProductList.V1.ProductList> GetAllProducts(ProductListRequest request, ServerCallContext context)
      9. {
      10. IList<Product> results = await _productContext.Products.ToListAsync();
      11. var productList = new ProductList.V1.ProductList();
      12. foreach (Product item in results)
      13. {
      14. productList.Results.Add(new ProductList.V1.Product
      15. {
      16. ID = item.ProductID.ToString()
      17. });
      18. }
      19. return productList;
      20. }
      21. }
  2. 在 Startup.cs 修改代码如下

    1. public void ConfigureServices(IServiceCollection services)
    2. {
    3. //启用 gRPC 服务
    4. services.AddGrpc();
    5. services.AddTransient<ProductListService>();
    6. ...
    7. }

    这里的 services.AddTransient(); 的原因是在 Dapr 中需要使用构造器注入,以完成 GetAllProducts(...) 函数的调用

    1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
    2. {
    3. if (env.IsDevelopment())
    4. {
    5. app.UseDeveloperExceptionPage();
    6. }
    7. app.UseRouting();
    8. app.UseEndpoints(endpoints =>
    9. {
    10. ...
    11. //添加 gRPC 到路由管道中
    12. endpoints.MapGrpcService<DaprClientService>();
    13. });
    14. }

    这里添加的代码的含义分别是启用 gRPC 服务和添加 gRPC 路由。得益于 ASP.NET Core 中间件的优秀设计,ASP.NET Core 可同时支持 Http 服务。

  3. 添加 daprclient.proto 文件以生成 Dapr Grpc 服务,daprclient.proto 内容如下

    1. syntax = "proto3";
    2. package daprclient;
    3. import "google/protobuf/any.proto";
    4. import "google/protobuf/empty.proto";
    5. import "google/protobuf/duration.proto";
    6. option java_outer_classname = "DaprClientProtos";
    7. option java_package = "io.dapr";
    8. // User Code definitions
    9. service DaprClient {
    10. rpc OnInvoke (InvokeEnvelope) returns (google.protobuf.Any) {}
    11. rpc GetTopicSubscriptions(google.protobuf.Empty) returns (GetTopicSubscriptionsEnvelope) {}
    12. rpc GetBindingsSubscriptions(google.protobuf.Empty) returns (GetBindingsSubscriptionsEnvelope) {}
    13. rpc OnBindingEvent(BindingEventEnvelope) returns (BindingResponseEnvelope) {}
    14. rpc OnTopicEvent(CloudEventEnvelope) returns (google.protobuf.Empty) {}
    15. }
    16. message CloudEventEnvelope {
    17. string id = 1;
    18. string source = 2;
    19. string type = 3;
    20. string specVersion = 4;
    21. string dataContentType = 5;
    22. string topic = 6;
    23. google.protobuf.Any data = 7;
    24. }
    25. message BindingEventEnvelope {
    26. string name = 1;
    27. google.protobuf.Any data = 2;
    28. map<string,string> metadata = 3;
    29. }
    30. message BindingResponseEnvelope {
    31. google.protobuf.Any data = 1;
    32. repeated string to = 2;
    33. repeated State state = 3;
    34. string concurrency = 4;
    35. }
    36. message InvokeEnvelope {
    37. string method = 1;
    38. google.protobuf.Any data = 2;
    39. map<string,string> metadata = 3;
    40. }
    41. message GetTopicSubscriptionsEnvelope {
    42. repeated string topics = 1;
    43. }
    44. message GetBindingsSubscriptionsEnvelope {
    45. repeated string bindings = 1;
    46. }
    47. message State {
    48. string key = 1;
    49. google.protobuf.Any value = 2;
    50. string etag = 3;
    51. map<string,string> metadata = 4;
    52. StateOptions options = 5;
    53. }
    54. message StateOptions {
    55. string concurrency = 1;
    56. string consistency = 2;
    57. RetryPolicy retryPolicy = 3;
    58. }
    59. message RetryPolicy {
    60. int32 threshold = 1;
    61. string pattern = 2;
    62. google.protobuf.Duration interval = 3;
    63. }

    说明

    • 此文件为官方提供,Dapr 0.3 版本之前提供的已经生成好的代码,现在看源码可以看出已经改为提供 proto 文件了,这里我认为提供 proto 文件比较合理
    • 此文件定义了5个函数,此文主要讲的就是 OnInvoke() 函数
    • OnInvoke() 请求构造为 InvokeEnvelope
      • method 提供调用方法名称
      • data 请求数据
      • metadata 额外数据,此处使用键值对形式体现
  4. 创建 DaprClientService.cs 文件,此文件用于终结点路由,内容为

    1. public class DaprClientService : DaprClient.DaprClientBase
    2. {
    3. private readonly ProductListService _productListService;
    4. /// <summary>
    5. /// Initializes a new instance of the <see cref="ProductService" /> class.
    6. /// </summary>
    7. /// <param name="productListService"></param>
    8. public DaprClientService(ProductListService productListService)
    9. {
    10. _productListService = productListService;
    11. }
    12. public override async Task<Any> OnInvoke(InvokeEnvelope request, ServerCallContext context)
    13. {
    14. switch (request.Method)
    15. {
    16. case "GetAllProducts":
    17. ProductListRequest productListRequest = ProductListRequest.Parser.ParseFrom(request.Data.Value);
    18. ProductList.V1.ProductList productsList = await _productListService.GetAllProducts(productListRequest, context);
    19. return Any.Pack(productsList);
    20. }
    21. return null;
    22. }
    23. }

    说明

    • 使用构造器注入已定义好的 ProductListService
    • InvokeEnvelope 中的 Method 用于路由数据
    • 使用 ProductListRequest.Parser.ParseFrom 转换请求构造
    • 使用 Any.Pack() 打包需要返回的数据
  5. 运行 productService

    1. dapr run --app-id productService --app-port 5001 --protocol grpc dotnet run

小结

至此,ProductService 服务完成。此时 ProductService.Api.csproj Protobuf 内容为

  1. <ItemGroup>
  2. <Protobuf Include="Protos\daprclient.proto" GrpcServices="Server" />
  3. <Protobuf Include="Protos\productList.proto" GrpcServices="Server" />
  4. </ItemGroup>

改造 StorageService 服务以完成 Dapr GRPC 服务调用

  1. 添加 productList.proto 文件,内容同 ProductService 中的 productList.proto

  2. 添加 dapr.proto 文件,此文件也为官方提供,内容为

    1. syntax = "proto3";
    2. package dapr;
    3. import "google/protobuf/any.proto";
    4. import "google/protobuf/empty.proto";
    5. import "google/protobuf/duration.proto";
    6. option java_outer_classname = "DaprProtos";
    7. option java_package = "io.dapr";
    8. option csharp_namespace = "Dapr.Client.Grpc";
    9. // Dapr definitions
    10. service Dapr {
    11. rpc PublishEvent(PublishEventEnvelope) returns (google.protobuf.Empty) {}
    12. rpc InvokeService(InvokeServiceEnvelope) returns (InvokeServiceResponseEnvelope) {}
    13. rpc InvokeBinding(InvokeBindingEnvelope) returns (google.protobuf.Empty) {}
    14. rpc GetState(GetStateEnvelope) returns (GetStateResponseEnvelope) {}
    15. rpc SaveState(SaveStateEnvelope) returns (google.protobuf.Empty) {}
    16. rpc DeleteState(DeleteStateEnvelope) returns (google.protobuf.Empty) {}
    17. }
    18. message InvokeServiceResponseEnvelope {
    19. google.protobuf.Any data = 1;
    20. map<string,string> metadata = 2;
    21. }
    22. message DeleteStateEnvelope {
    23. string key = 1;
    24. string etag = 2;
    25. StateOptions options = 3;
    26. }
    27. message SaveStateEnvelope {
    28. repeated StateRequest requests = 1;
    29. }
    30. message GetStateEnvelope {
    31. string key = 1;
    32. string consistency = 2;
    33. }
    34. message GetStateResponseEnvelope {
    35. google.protobuf.Any data = 1;
    36. string etag = 2;
    37. }
    38. message InvokeBindingEnvelope {
    39. string name = 1;
    40. google.protobuf.Any data = 2;
    41. map<string,string> metadata = 3;
    42. }
    43. message InvokeServiceEnvelope {
    44. string id = 1;
    45. string method = 2;
    46. google.protobuf.Any data = 3;
    47. map<string,string> metadata = 4;
    48. }
    49. message PublishEventEnvelope {
    50. string topic = 1;
    51. google.protobuf.Any data = 2;
    52. }
    53. message State {
    54. string key = 1;
    55. google.protobuf.Any value = 2;
    56. string etag = 3;
    57. map<string,string> metadata = 4;
    58. StateOptions options = 5;
    59. }
    60. message StateOptions {
    61. string concurrency = 1;
    62. string consistency = 2;
    63. RetryPolicy retryPolicy = 3;
    64. }
    65. message RetryPolicy {
    66. int32 threshold = 1;
    67. string pattern = 2;
    68. google.protobuf.Duration interval = 3;
    69. }
    70. message StateRequest {
    71. string key = 1;
    72. google.protobuf.Any value = 2;
    73. string etag = 3;
    74. map<string,string> metadata = 4;
    75. StateRequestOptions options = 5;
    76. }
    77. message StateRequestOptions {
    78. string concurrency = 1;
    79. string consistency = 2;
    80. StateRetryPolicy retryPolicy = 3;
    81. }
    82. message StateRetryPolicy {
    83. int32 threshold = 1;
    84. string pattern = 2;
    85. google.protobuf.Duration interval = 3;
    86. }

    说明

    • 此文件提供6个 GRPC 服务,此文介绍的函数为 InvokeService()

      • 请求构造为 InvokeServiceEnvelope

        • id 请求的服务的 --app-id ,比如 productService
        • method 请求的方法
        • data 请求函数的签名
        • metadata 元数据键值对
  3. 修改 StorageController 中的 InitialStorage() 函数为

    1. /// <summary>
    2. /// 初始化仓库.
    3. /// </summary>
    4. /// <returns>是否成功.</returns>
    5. [HttpGet("InitialStorage")]
    6. public async Task<bool> InitialStorage()
    7. {
    8. string defaultPort = Environment.GetEnvironmentVariable("DAPR_GRPC_PORT") ?? "5001";
    9. // Set correct switch to make insecure gRPC service calls. This switch must be set before creating the GrpcChannel.
    10. AppContext.SetSwitch("System.Net.Http.SocketsHttpHandler.Http2UnencryptedSupport", true);
    11. // Create Client
    12. string daprUri = $"http://127.0.0.1:{defaultPort}";
    13. GrpcChannel channel = GrpcChannel.ForAddress(daprUri);
    14. var client = new Dapr.Client.Grpc.Dapr.DaprClient(channel);
    15. InvokeServiceResponseEnvelope result = await client.InvokeServiceAsync(new InvokeServiceEnvelope
    16. {
    17. Method = "GetAllProducts",
    18. Id = "productService",
    19. Data = Any.Pack(new ProductListRequest())
    20. });
    21. ProductList.V1.ProductList productResult = ProductList.V1.ProductList.Parser.ParseFrom(result.Data.Value);
    22. var random = new Random();
    23. foreach (Product item in productResult.Results)
    24. {
    25. _storageContext.Storage.Add(new Storage
    26. {
    27. ProductID = Guid.Parse(item.ID),
    28. Amount = random.Next(1, 1000)
    29. });
    30. }
    31. await _storageContext.SaveChangesAsync();
    32. return true;
    33. }
  4. 启动 StorageService

    1. dapr run --app-id storageService --app-port 5003 dotnet run
  5. 使用 Postman 请求 StorageService 的 InitialStorage

  6. 使用 MySql Workbench 查看结果

小结

至此,以 Dapr 框架使用 GRPC 客户端在 StorageService 中完成了对 ProductService 服务的调用。

源码地址

Dapr 运用之集成 Asp.Net Core Grpc 调用篇的更多相关文章

  1. 旧 WCF 项目迁移到 asp.net core + gRPC 的尝试

    一个月前,公司的运行WCF的windows服务器down掉了,由于 AWS 没有通知,没有能第一时间发现问题. 所以,客户提出将WCF服务由C#改为JAVA,在Linux上面运行:一方面,AWS对Li ...

  2. ASP.NET Core gRPC 入门全家桶

    一. 说明 本全家桶现在只包含了入门级别的资料,实战资料更新中. 二.官方文档 gRPC in Asp.Net Core :官方文档 gRPC 官网:点我跳转 三.入门全家桶 正片: ASP.NET ...

  3. ASP.NET Core gRPC 健康检查的实现方式

    一. 前言 gRPC 服务实现健康检查有两种方式,前面在此文 ASP.NET Core gRPC 使用 Consul 服务注册发现 中有提到过,这里归纳整理一下.gRPC 的健康检查,官方是定义了标准 ...

  4. 从零搭建一个IdentityServer——集成Asp.net core Identity

    前面的文章使用Asp.net core 5.0以及IdentityServer4搭建了一个基础的验证服务器,并实现了基于客户端证书的Oauth2.0授权流程,以及通过access token访问被保护 ...

  5. ASP.NET Core GRPC 和 Dubbo 互通

    一.前言 Dubbo 是比较流行的服务治理框架,国内不少大厂都在使用.以前的 Dubbo 使用的是私有协议,采集用的 hessian 序列化,对于多语言生态来说是极度的不友好.现在 Dubbo 发布了 ...

  6. .NET Core实战项目之CMS 第二章 入门篇-快速入门ASP.NET Core看这篇就够了

    作者:依乐祝 原文链接:https://www.cnblogs.com/yilezhu/p/9985451.html 本来这篇只是想简单介绍下ASP.NET Core MVC项目的(毕竟要照顾到很多新 ...

  7. net core体系-web应用程序-4asp.net core2.0 项目实战(CMS)-第二章 入门篇-快速入门ASP.NET Core看这篇就够了

    .NET Core实战项目之CMS 第二章 入门篇-快速入门ASP.NET Core看这篇就够了   原文链接:https://www.cnblogs.com/yilezhu/p/9985451.ht ...

  8. ASP.NET Core gRPC 使用 Consul 服务注册发现

    一. 前言 gRPC 在当前最常见的应用就是在微服务场景中,所以不可避免的会有服务注册与发现问题,我们使用gRPC实现的服务可以使用 Consul 或者 etcd 作为服务注册与发现中心,本文主要介绍 ...

  9. 5. abp集成asp.net core

    一.前言 参照前篇<4. abp中的asp.net core模块剖析>,首先放张图,这也是asp.net core框架上MVC模块的扩展点 二.abp的mvc对象 AbpAspNetCor ...

随机推荐

  1. 领扣(LeetCode)二叉树的右视图 个人题解

    给定一棵二叉树,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值. 示例: 输入: [1,2,3,null,5,null,4] 输出: [1, 3, 4] 解释: 1 < ...

  2. 扛把子 选题 Scrum立会报告+燃尽图 03

    此作业要求参见:https://edu.cnblogs.com/campus/nenu/2019fall/homework/8680 一.小组情况组长:迟俊文组员:宋晓丽 梁梦瑶 韩昊 刘信鹏队名:扛 ...

  3. 数据类型-Java基础一-初学者笔记

    初学者笔记 1.Java中的两种类型   在java源代码中,每个变量都必须声明一种类型(type). 有两种类型:primitive type和reference type.引用类型引用对象(ref ...

  4. 使用RNN进行imdb影评情感识别--use RNN to sentiment analysis

    原创帖子,转载请说明出处 一.RNN神经网络结构 RNN隐藏层神经元的连接方式和普通神经网路的连接方式有一个非常明显的区别,就是同一层的神经元的输出也成为了这一层神经元的输入.当然同一时刻的输出是不可 ...

  5. ssm通用 POM

    <?xml version="1.0" encoding="UTF-8"?><project xmlns="http://maven ...

  6. python面试题(实时更新)

    1.以下代码输出为: list1 = {':2} list2 = list1 list1['] = 5 sum = list1['] print(sum) 解析:10 b = a: 赋值引用,a 和 ...

  7. scrapy框架安装配置

    scrapy框架 scrapy安装(win) 1.pip insatll wheel 2.下载合适的版本的twisted:http://www.lfd.uci.edu/~gohlke/pythonli ...

  8. PAT甲级专题|最短路

    PAT甲级最短路 主要算法:dijkstra 求最短最长路.dfs图论搜索. 1018,dijkstra记录路径 + dfs搜索路径最值 25分,错误点暂时找不出.. 如果只用dijkstra没法做, ...

  9. 基于JDK1.8的JVM 内存结构【JVM篇三】

    目录 1.内存结构还是运行时数据区? 2.运行时数据区 3.线程共享:Java堆.方法区 4.线程私有:程序计数器.Java 虚拟机栈.本地方法栈 5.JVM 内存结构总结 在我的上一篇文章别翻了,这 ...

  10. 华为OSPF与ACL综合应用实例讲解

    OSPF与ACL综合应用实例讲解 项目案例要求: 1.企业内网运行OSPF路由协议,区域规划如图所示:2.财务和研发所在的区域不受其他区域链路不稳定性影响:3.R1.R2.R3只允许被IT登录管理:4 ...