翼度科技»论坛 编程开发 .net 查看内容

aspnetcore微服务之间grpc通信,无proto文件

6

主题

6

帖子

18

积分

新手上路

Rank: 1

积分
18
aspnetcore微服务之间通信grpc,一般服务对外接口用restful架构,HTTP请求,服务之间的通信grpc多走内网。
以前写过一篇grpc和web前端之间的通讯,代码如下:
exercisebook/grpc/grpc-web at main · liuzhixin405/exercisebook (github.com)
 
本次是微服务之间的通信使用了开源软件MagicOnion,该软件定义接口约束免去proto复杂配置,类似orleans或者webservice,服务调用都通过约定接口规范做传输调用,使用起来非常简单和简洁。
下面通过服务之间调用的示例代码做演示:

Server里面包含简单jwt的token的生成,client和002需要调用登录,通过外部接口调用传入用户和密码,内部再调用jwt服务。



 
服务之间调用如果不用proto的话,那么接口必须是公共部分,值得注意的是接口的参数和返回值必须 包含[MessagePackObject(true)]的特性,硬性条件。返回值必须被UnaryResult包裹,接口继承MagicOnion的IService,有兴趣深入的自己研究源码。
  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5. using System.Threading.Tasks;
  6. using MagicOnion;
  7. using MessagePack;
  8. namespace MicroService.Shared
  9. {
  10.     public interface IAccountService:IService<IAccountService>
  11.     {
  12.         UnaryResult<SignInResponse> SignInAsync(string signInId, string password);
  13.         UnaryResult<CurrentUserResponse> GetCurrentUserNameAsync();
  14.         UnaryResult<string> DangerousOperationAsync();
  15.     }
  16.     [MessagePackObject(true)]
  17.     public class SignInResponse
  18.     {
  19.         public long UserId { get; set; }
  20.         public string Name { get; set; }
  21.         public string Token { get; set; }
  22.         public DateTimeOffset Expiration { get; set; }
  23.         public bool Success { get; set; }
  24.         public static SignInResponse Failed { get; } = new SignInResponse() { Success = false };
  25.         public SignInResponse() { }
  26.         public SignInResponse(long userId, string name, string token, DateTimeOffset expiration)
  27.         {
  28.             Success = true;
  29.             UserId = userId;
  30.             Name = name;
  31.             Token = token;
  32.             Expiration = expiration;
  33.         }
  34.     }
  35.     [MessagePackObject(true)]
  36.     public class CurrentUserResponse
  37.     {
  38.         public static CurrentUserResponse Anonymous { get; } = new CurrentUserResponse() { IsAuthenticated = false, Name = "Anonymous" };
  39.         public bool IsAuthenticated { get; set; }
  40.         public string Name { get; set; }
  41.         public long UserId { get; set; }
  42.     }
  43. }
复制代码


上面GrpcClientPool和IGrpcClientFactory是我封装的客户端请求的一个链接池,跟MagicOnion没有任何关系。客户端如果使用原生的Grpc.Net.Client库作为客户端请求完全可以,通过 MagicOnionClient.Create(channel)把grpcchannel塞入拿到接口服务即可。
服务端代码如下:
  1. using JwtAuthApp.Server.Authentication;
  2. using Microsoft.AspNetCore.Authentication.JwtBearer;
  3. using Microsoft.AspNetCore.Server.Kestrel.Core;
  4. using Microsoft.IdentityModel.Tokens;
  5. namespace JwtAuthApp.Server
  6. {
  7.     public class Program
  8.     {
  9.         public static void Main(string[] args)
  10.         {
  11.             var builder = WebApplication.CreateBuilder(args);
  12.             // Add services to the container.
  13.             builder.WebHost.ConfigureKestrel(options =>
  14.             {
  15.                 options.ConfigureEndpointDefaults(endpointOptions =>
  16.                 {
  17.                     endpointOptions.Protocols = HttpProtocols.Http2;
  18.                 });
  19.             });
  20.             builder.Services.AddGrpc();
  21.             builder.Services.AddMagicOnion();
  22.             builder.Services.AddSingleton<JwtTokenService>();
  23.             builder.Services.Configure<JwtTokenServiceOptions>(builder.Configuration.GetSection("JwtAuthApp.Server:JwtTokenService"));
  24.             builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
  25.                 .AddJwtBearer(options =>
  26.                 {
  27.                     options.TokenValidationParameters = new TokenValidationParameters
  28.                     {
  29.                         IssuerSigningKey = new SymmetricSecurityKey(Convert.FromBase64String(builder.Configuration.GetSection("JwtAuthApp.Server:JwtTokenService:Secret").Value!)),
  30.                         RequireExpirationTime = true,
  31.                         RequireSignedTokens = true,
  32.                         ClockSkew = TimeSpan.FromSeconds(10),
  33.                         ValidateIssuer = false,
  34.                         ValidateAudience = false,
  35.                         ValidateLifetime = true,
  36.                         ValidateIssuerSigningKey = true,
  37.                     };
  38. #if DEBUG
  39.                     options.RequireHttpsMetadata = false;
  40. #endif
  41.                 });
  42.             builder.Services.AddAuthorization();
  43.             builder.Services.AddControllers();
  44.             // Learn more about configuring Swagger/OpenAPI at https://aka.ms/aspnetcore/swashbuckle
  45.             builder.Services.AddEndpointsApiExplorer();
  46.             builder.Services.AddSwaggerGen();
  47.             var app = builder.Build();
  48.             // Configure the HTTP request pipeline.
  49.             if (app.Environment.IsDevelopment())
  50.             {
  51.                 app.UseSwagger();
  52.                 app.UseSwaggerUI();
  53.             }
  54.             app.UseHttpsRedirection();
  55.             app.UseAuthentication();
  56.             app.UseAuthorization();
  57.             app.MapControllers();
  58.             app.MapMagicOnionService();
  59.             app.Run();
  60.         }
  61.     }
  62. }
复制代码
  1. 实际上跟组件有关的代码只有这么多了,剩下的就是jwt的。<br>
复制代码
  1. builder.WebHost.ConfigureKestrel(options =>
  2.             {
  3.                 options.ConfigureEndpointDefaults(endpointOptions =>
  4.                 {
  5.                     endpointOptions.Protocols = HttpProtocols.Http2;
  6.                 });
  7.             });
  8.             builder.Services.AddGrpc();
  9.             builder.Services.AddMagicOnion();
  10.             app.MapMagicOnionService();
复制代码
当然作为服务的提供者实现IAccountService的接口是必须的。
  1. using Grpc.Core;
  2. using JwtAuthApp.Server.Authentication;
  3. using System.Security.Claims;
  4. using MagicOnion;
  5. using MagicOnion.Server;
  6. using MicroService.Shared;
  7. using Microsoft.AspNetCore.Authorization;
  8. namespace JwtAuthApp.Server.GrpcService
  9. {
  10.     [Authorize]
  11.     public class AccountService : ServiceBase<IAccountService>, IAccountService
  12.     {
  13.         private static IDictionary<string, (string Password, long UserId, string DisplayName)> DummyUsers = new Dictionary<string, (string, long, string)>(StringComparer.OrdinalIgnoreCase)
  14.         {
  15.             {"signInId001", ("123456", 1001, "Jack")},
  16.             {"signInId002", ("123456", 1002, "Rose")},
  17.         };
  18.         private readonly JwtTokenService _jwtTokenService;
  19.         public AccountService(JwtTokenService jwtTokenService)
  20.         {
  21.             _jwtTokenService = jwtTokenService ?? throw new ArgumentNullException(nameof(jwtTokenService));
  22.         }
  23.         [AllowAnonymous]
  24.         public async UnaryResult<SignInResponse> SignInAsync(string signInId, string password)
  25.         {
  26.             await Task.Delay(1); // some workloads...
  27.             if (DummyUsers.TryGetValue(signInId, out var userInfo) && userInfo.Password == password)
  28.             {
  29.                 var (token, expires) = _jwtTokenService.CreateToken(userInfo.UserId, userInfo.DisplayName);
  30.                 return new SignInResponse(
  31.                     userInfo.UserId,
  32.                     userInfo.DisplayName,
  33.                     token,
  34.                     expires
  35.                 );
  36.             }
  37.             return SignInResponse.Failed;
  38.         }
  39.         [AllowAnonymous]
  40.         public async UnaryResult<CurrentUserResponse> GetCurrentUserNameAsync()
  41.         {
  42.             await Task.Delay(1); // some workloads...
  43.             var userPrincipal = Context.CallContext.GetHttpContext().User;
  44.             if (userPrincipal.Identity?.IsAuthenticated ?? false)
  45.             {
  46.                 if (!int.TryParse(userPrincipal.Claims.FirstOrDefault(x => x.Type == ClaimTypes.NameIdentifier)?.Value, out var userId))
  47.                 {
  48.                     return CurrentUserResponse.Anonymous;
  49.                 }
  50.                 var user = DummyUsers.SingleOrDefault(x => x.Value.UserId == userId).Value;
  51.                 return new CurrentUserResponse()
  52.                 {
  53.                     IsAuthenticated = true,
  54.                     UserId = user.UserId,
  55.                     Name = user.DisplayName,
  56.                 };
  57.             }
  58.             return CurrentUserResponse.Anonymous;
  59.         }
  60.         [Authorize(Roles = "Administrators")]
  61.         public async UnaryResult<string> DangerousOperationAsync()
  62.         {
  63.             await Task.Delay(1); // some workloads...
  64.             return "rm -rf /";
  65.         }
  66.     }
  67. }
复制代码
当然jwt服务的代码也必不可少,还有密钥串json文件。
  1. using Microsoft.Extensions.Options;
  2. using Microsoft.IdentityModel.Tokens;
  3. using System.IdentityModel.Tokens.Jwt;
  4. using System.Security.Claims;
  5. namespace JwtAuthApp.Server.Authentication
  6. {
  7.     public class JwtTokenService
  8.     {
  9.         private readonly SymmetricSecurityKey _securityKey;
  10.         public JwtTokenService(IOptions<JwtTokenServiceOptions> jwtTokenServiceOptions)
  11.         {
  12.             _securityKey = new SymmetricSecurityKey(Convert.FromBase64String(jwtTokenServiceOptions.Value.Secret));
  13.         }
  14.         public (string Token, DateTime Expires) CreateToken(long userId, string displayName)
  15.         {
  16.             var jwtTokenHandler = new JwtSecurityTokenHandler();
  17.             var expires = DateTime.UtcNow.AddSeconds(10);
  18.             var token = jwtTokenHandler.CreateEncodedJwt(new SecurityTokenDescriptor()
  19.             {
  20.                 SigningCredentials = new SigningCredentials(_securityKey, SecurityAlgorithms.HmacSha256),
  21.                 Subject = new ClaimsIdentity(new[]
  22.                 {
  23.                     new Claim(ClaimTypes.Name, displayName),
  24.                     new Claim(ClaimTypes.NameIdentifier, userId.ToString()),
  25.                 }),
  26.                 Expires = expires,
  27.             });
  28.             return (token, expires);
  29.         }
  30.     }
  31.     public class JwtTokenServiceOptions
  32.     {
  33.         public string Secret { get; set; }
  34.     }
  35. }
复制代码
  1. {
  2.     "JwtAuthApp.Server": {
  3.         "JwtTokenService": {
  4.             /* 64 bytes (512 bits) secret key */
  5.             "Secret": "/Z8OkdguxFFbaxOIG1q+V9HeujzMKg1n9gcAYB+x4QvhF87XcD8sQA4VsdwqKVuCmVrXWxReh/6dmVXrjQoo9Q=="
  6.         }
  7.     },
  8.     "Logging": {
  9.         "LogLevel": {
  10.             "Default": "Trace",
  11.             "System": "Information",
  12.             "Microsoft": "Information"
  13.         }
  14.     }
  15. }
复制代码
上面的代码完全可以运行一个jwt服务了。
下面就是客户端代码,因为两个客户端是一样的只是做测试,所以列出一个就够了。
  1. using Login.Client.GrpcClient;
  2. using MicroService.Shared.GrpcPool;
  3. using MicroService.Shared;
  4. namespace Login.Client
  5. {
  6.     public class Program
  7.     {
  8.         public static void Main(string[] args)
  9.         {
  10.             var builder = WebApplication.CreateBuilder(args);
  11.             // Add services to the container.
  12.             builder.Services.AddControllers();
  13.             // Learn more about configuring Swagger/OpenAPI at https://aka.ms/aspnetcore/swashbuckle
  14.             builder.Services.AddEndpointsApiExplorer();
  15.             builder.Services.AddSwaggerGen();
  16.             builder.Services.AddTransient<IGrpcClientFactory<IAccountService>, LoginClientFactory>();
  17.             builder.Services.AddTransient(sp => new GrpcClientPool<IAccountService>(sp.GetService<IGrpcClientFactory<IAccountService>>(), builder.Configuration, builder.Configuration["Grpc:Service:JwtAuthApp.ServiceAddress"]));
  18.             var app = builder.Build();
  19.             // Configure the HTTP request pipeline.
  20.             if (app.Environment.IsDevelopment())
  21.             {
  22.                 app.UseSwagger();
  23.                 app.UseSwaggerUI();
  24.             }
  25.             app.UseHttpsRedirection();
  26.             app.UseAuthorization();
  27.             app.MapControllers();
  28.             app.Run();
  29.         }
  30.     }
  31. }
复制代码
客户端Program.cs只是注入了连接池,没有其他任何多余代码,配置文件当然必不可少。
  1.   builder.Services.AddTransient<IGrpcClientFactory<IAccountService>, LoginClientFactory>();
  2.   builder.Services.AddTransient(sp => new GrpcClientPool<IAccountService>(sp.GetService<IGrpcClientFactory<IAccountService>>(), builder.Configuration, builder.Configuration["Grpc:Service:JwtAuthApp.ServiceAddress"]));
复制代码
  1. {
  2.     "Logging": {
  3.         "LogLevel": {
  4.             "Default": "Information",
  5.             "Microsoft.AspNetCore": "Warning"
  6.         }
  7.     },
  8.     "AllowedHosts": "*",
  9.     "Grpc": {
  10.         "Service": {
  11.             "JwtAuthApp.ServiceAddress": "https://localhost:7021"
  12.         },
  13.         "maxConnections": 10,
  14.         "handoverTimeout":10  // seconds
  15.     }
  16. }
复制代码
登录的对外接口如下:
  1. using System.ComponentModel.DataAnnotations;
  2. using System.Threading.Channels;
  3. using Grpc.Net.Client;
  4. using Login.Client.GrpcClient;
  5. using MagicOnion.Client;
  6. using MicroService.Shared;
  7. using MicroService.Shared.GrpcPool;
  8. using Microsoft.AspNetCore.Mvc;
  9. namespace Login.Client.Controllers
  10. {
  11.     [ApiController]
  12.     [Route("[controller]")]
  13.     public class LoginController : ControllerBase
  14.     {
  15.         private readonly ILogger<LoginController> _logger;
  16.         private IConfiguration _configuration;
  17.         private readonly IGrpcClientFactory<IAccountService> _grpcClientFactory;
  18.         private readonly GrpcClientPool<IAccountService> _grpcClientPool;
  19.         public LoginController(ILogger<LoginController> logger, IConfiguration configuration, IGrpcClientFactory<IAccountService> grpcClientFactory, GrpcClientPool<IAccountService> grpcClientPool)
  20.         {
  21.             _configuration = configuration;
  22.             _logger = logger;
  23.             _grpcClientFactory = grpcClientFactory;
  24.             _grpcClientPool = grpcClientPool;
  25.         }
  26.         [HttpGet(Name = "Login")]
  27.         public async Task<ActionResult<Tuple<bool,string?>>> Login([Required]string signInId, [Required]string pwd)
  28.         {
  29.             SignInResponse authResult;
  30.             /*using (var channel = GrpcChannel.ForAddress(_configuration["JwtAuthApp.ServiceAddress"]))
  31.             {
  32.                 //var accountClient = MagicOnionClient.Create<IAccountService>(channel);
  33.                  
  34.             }*/
  35.             var client = _grpcClientPool.GetClient();
  36.             try
  37.             {
  38.                 // 使用client进行gRPC调用
  39.                 authResult = await client.SignInAsync(signInId, pwd);
  40.             }
  41.             finally
  42.             {
  43.                 _grpcClientPool.ReleaseClient(client);
  44.             }
  45.             return (authResult!=null && authResult.Success)?  Tuple.Create(true,authResult.Token): Tuple.Create(false,string.Empty);
  46.         }
  47.     }
  48. }
复制代码
客户端就剩下一个返回服务的接口工厂了
  1. using Grpc.Net.Client;
  2. using MagicOnion.Client;
  3. using MicroService.Shared;
  4. using MicroService.Shared.GrpcPool;
  5. namespace Login.Client.GrpcClient
  6. {
  7.     public class LoginClientFactory : IGrpcClientFactory<IAccountService>
  8.     {
  9.         public IAccountService Create(GrpcChannel channel)
  10.         {
  11.             return MagicOnionClient.Create<IAccountService>(channel);
  12.         }
  13.     }
  14. }
复制代码
最后就是连接池的实现:
  1. using System;
  2. using System.Collections.Concurrent;
  3. using System.Collections.Generic;
  4. using System.Linq;
  5. using System.Text;
  6. using System.Threading.Channels;
  7. using System.Threading.Tasks;
  8. using Grpc.Core;
  9. using Grpc.Net.Client;
  10. using Microsoft.Extensions.Configuration;
  11. using Microsoft.Extensions.Hosting;
  12. namespace MicroService.Shared.GrpcPool
  13. {
  14.     public class GrpcClientPool<TClient>
  15.     {
  16.         private readonly static ConcurrentBag<TClient> _clientPool = new ConcurrentBag<TClient>();
  17.       
  18.         private readonly IGrpcClientFactory<TClient> _clientFactory;
  19.       
  20.         private readonly int _maxConnections;
  21.         private readonly TimeSpan _handoverTimeout;
  22.         private readonly string _address;
  23.         private readonly DateTime _now;
  24.         public GrpcClientPool(IGrpcClientFactory<TClient> clientFactory,
  25.             IConfiguration configuration,string address)
  26.         {
  27.             _now =  DateTime.Now;
  28.             _clientFactory = clientFactory;
  29.             _maxConnections = int.Parse(configuration["Grpc:maxConnections"]?? throw new ArgumentNullException("grpc maxconnections is null"));
  30.             _handoverTimeout = TimeSpan.FromSeconds(double.Parse(configuration["Grpc:maxConnections"]??throw new ArgumentNullException("grpc timeout is null")));
  31.             _address = address;
  32.         }
  33.         public TClient GetClient()
  34.         {
  35.             if (_clientPool.TryTake(out var client))
  36.             {
  37.                 return client;
  38.             }
  39.             if (_clientPool.Count < _maxConnections)
  40.             {
  41.                 var channel = GrpcChannel.ForAddress(_address);
  42.                 client = _clientFactory.Create(channel);
  43.                 _clientPool.Add(client);
  44.                 return client;
  45.             }
  46.             if (!_clientPool.TryTake(out client) && DateTime.Now.Subtract(_now) > _handoverTimeout)
  47.             {
  48.                 throw new TimeoutException("Failed to acquire a connection from the pool within the specified timeout.");
  49.             }
  50.             return client;
  51.         }
  52.         public void ReleaseClient(TClient client)
  53.         {
  54.             if (client == null)
  55.             {
  56.                 return;
  57.             }
  58.             _clientPool.Add(client);
  59.         }
  60.     }
  61. }
复制代码
上面已经演示过了接口调用的接口,这里不再展示,代码示例如下:
liuzhixin405/efcore-template (github.com)
 
不想做池化客户端注入的代码全部不需要了,只需要下面代码就可以了,代码会更少更精简。
  1. SignInResponse authResult;
  2.             using (var channel = GrpcChannel.ForAddress(_configuration["JwtAuthApp.ServiceAddress"]))
  3.             {
  4.                 var accountClient = MagicOnionClient.Create<IAccountService>(channel);
  5.                  authResult = await accountClient.SignInAsync(user, pwd);
  6.             }
复制代码
 

来源:https://www.cnblogs.com/morec/archive/2023/10/22/17779841.html
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x

举报 回复 使用道具