Commit 1baa8574 by 赵剑炜

新版本

parents
#Ignore thumbnails created by Windows
Thumbs.db
#Ignore files built by Visual Studio
*.obj
*.exe
*.pdb
*.user
*.aps
*.pch
*.vspscc
*_i.c
*_p.c
*.ncb
*.suo
*.tlb
*.tlh
*.bak
*.cache
*.ilk
*.log
[Bb]in
[Dd]ebug*/
*.lib
*.sbr
obj/
[Rr]elease*/
_ReSharper*/
[Tt]est[Rr]esult*
.vs/
#Nuget packages folder
packages/
debug
<Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup>
<TargetFramework>net6.0</TargetFramework>
<Nullable>enable</Nullable>
<ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="AutoMapper.Extensions.Microsoft.DependencyInjection" Version="11.0.0" />
<PackageReference Include="FluentValidation.AspNetCore" Version="10.4.0" />
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="6.0.4" />
<PackageReference Include="Microsoft.AspNetCore.Mvc.NewtonsoftJson" Version="6.0.3" />
<PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="6.0.2" />
<PackageReference Include="Swashbuckle.AspNetCore" Version="6.2.3" />
</ItemGroup>
<ItemGroup>
<ProjectReference Include="..\Common\Common.csproj" />
<ProjectReference Include="..\Services\Services.csproj" />
</ItemGroup>
</Project>
using Common;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc;
namespace APIs.Controllers
{
[Route("api/[controller]")]
[ApiController]
public class JwtController : ControllerBase
{
public IConfiguration Configuration { get; }
public JwtController(IConfiguration configuration)
{
Configuration = configuration;
}
[HttpPost]
public string CreateToken()
{
var tokenModel = Configuration.GetSection("Jwt").Get<JwtHelper.TokenModelJwt>();
tokenModel.UserName = "张三";
tokenModel.UserId = 1;
tokenModel.Role = "Admin";
return JwtHelper.CreateJwt(tokenModel);
}
[HttpGet]
[Authorize]
public IActionResult DeToken([FromHeader]string Authorization)
{
var token = JwtHelper.SerializeJwt(Authorization.Replace("Bearer ", ""));
return Ok(token);
}
}
}
\ No newline at end of file
using APIs.Dto;
using AutoMapper;
using Microsoft.AspNetCore.Mvc;
using Models;
namespace APIs.Controllers
{
[Route("api/[controller]")]
[ApiController]
public class MapperController : ControllerBase
{
public IMapper Mapper { get; }
public MapperController(IMapper mapper)
{
Mapper = mapper;
}
[HttpPost]
public UserDto Test(User user)
{
var userDto = new UserDto();
Mapper.Map(user, userDto);
return userDto;
}
}
}
using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Caching.Memory;
namespace APIs.Controllers
{
[Route("api/[controller]")]
[ApiController]
public class MemoryController : ControllerBase
{
private readonly IMemoryCache _cache;
public MemoryController(IMemoryCache cache)
{
_cache = cache;
}
[HttpPost]
public string Set(string name)
{
var key = Guid.NewGuid().ToString();
_cache.Set(key, name, TimeSpan.FromSeconds(300));
return key;
}
[HttpGet]
public string Get(string key)
{
return _cache.Get(key)?.ToString();
}
}
}
\ No newline at end of file
using Microsoft.AspNetCore.Mvc;
namespace APIs.Controllers;
[ApiController]
[Route("[controller]")]
public class WeatherForecastController : ControllerBase
{
private static readonly string[] Summaries = new[]
{
"Freezing", "Bracing", "Chilly", "Cool", "Mild", "Warm", "Balmy", "Hot", "Sweltering", "Scorching"
};
private readonly ILogger<WeatherForecastController> _logger;
public WeatherForecastController(ILogger<WeatherForecastController> logger)
{
_logger = logger;
}
[HttpGet(Name = "GetWeatherForecast")]
public IEnumerable<WeatherForecast> Get()
{
return Enumerable.Range(1, 5).Select(index => new WeatherForecast
{
Date = DateTime.Now.AddDays(index),
TemperatureC = Random.Shared.Next(-20, 55),
Summary = Summaries[Random.Shared.Next(Summaries.Length)]
})
.ToArray();
}
}
\ No newline at end of file
namespace APIs.Dto;
public class UserDto
{
public int Id { get; set; }
}
\ No newline at end of file
using SqlSugar;
namespace WebApiNet6.Extensions;
public static class SqlsugarSetup
{
public static void AddSqlsugarSetup(this IServiceCollection services, IConfiguration configuration,
string dbName = "MySQL")
{
SqlSugarScope sqlSugar = new SqlSugarScope(new ConnectionConfig()
{
DbType = SqlSugar.DbType.MySql,
ConnectionString = configuration.GetConnectionString(dbName),
IsAutoCloseConnection = true,
}, db =>
{
db.Aop.OnLogExecuting = (sql, pars) =>
{
//Console.WriteLine(sql);
};
});
services.AddSingleton<ISqlSugarClient>(sqlSugar);
}
}
\ No newline at end of file
using APIs.Dto;
using AutoMapper;
using Models;
namespace APIs.Profiles;
public class MapperProfile : Profile
{
public MapperProfile()
{
CreateMap<User, UserDto>().ForMember(dest=>dest.Id,opt=>opt.MapFrom(src=>src.Id));
}
}
\ No newline at end of file
using System.Reflection;
using System.Text;
using APIs.Profiles;
using Common;
using FluentValidation.AspNetCore;
using Microsoft.AspNetCore.Authentication.JwtBearer;
using Microsoft.IdentityModel.Tokens;
using Microsoft.OpenApi.Models;
using Repositories;
using WebApiNet6.Extensions;
var builder = WebApplication.CreateBuilder(args);
// Add services to the container.
builder.Services.AddSqlsugarSetup(builder.Configuration);
builder.Services.AddMemoryCache();
builder.Services.AddControllers()
.AddNewtonsoftJson(options =>
{
options.SerializerSettings.DateFormatString = "yyyy-MM-dd HH:mm:ss";
});
// Learn more about configuring Swagger/OpenAPI at https://aka.ms/aspnetcore/swashbuckle
builder.Services.AddEndpointsApiExplorer();
builder.Services.AddAutoMapper(typeof(MapperProfile));
builder.Services.AddSwaggerGen(options =>
{
options.AddSecurityDefinition("Bearer", new OpenApiSecurityScheme()
{
Description = "在下框中输入请求头中需要添加Jwt授权Token:Bearer Token",
Name = "Authorization",
In = ParameterLocation.Header,
Type = SecuritySchemeType.ApiKey,
BearerFormat = "Jwt",
Scheme = "Bearer"
});
options.AddSecurityRequirement(new OpenApiSecurityRequirement
{
{
new OpenApiSecurityScheme
{
Reference = new OpenApiReference
{
Type = ReferenceType.SecurityScheme,
Id = "Bearer"
}
},
new string[] {}
}
});
});
builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme).AddJwtBearer(options =>
{
var tokenModel = builder.Configuration.GetSection("Jwt").Get<JwtHelper.TokenModelJwt>();
var secretByte = Encoding.UTF8.GetBytes(tokenModel.Secret);
options.TokenValidationParameters = new TokenValidationParameters()
{
ValidateIssuer = true,
ValidIssuer = tokenModel.Issuer,
ValidateAudience = true,
ValidAudience = tokenModel.Audience,
ValidateLifetime = true,
IssuerSigningKey = new SymmetricSecurityKey(secretByte)
};
options.Events = new JwtBearerEvents()
{
OnChallenge = context =>
{
return Task.FromResult(0);
},
OnForbidden = context =>
{
return Task.FromResult(0);
}
};
});
builder.Services.AddScoped(typeof(Repository<>));
builder.Services.AddFluentValidation(options =>
{
options.RegisterValidatorsFromAssembly(Assembly.GetExecutingAssembly());
});
builder.Services.AddCors(options =>
{
options.AddPolicy("Cors", policy =>
{
policy
.AllowAnyOrigin()
.AllowAnyHeader()
.AllowAnyMethod();
});
});
var app = builder.Build();
// Configure the HTTP request pipeline.
if (app.Environment.IsDevelopment())
{
app.UseSwagger();
app.UseSwaggerUI();
}
app.UseCors("Cors");
app.UseHttpsRedirection();
app.UseAuthentication();
app.UseAuthorization();
app.MapControllers();
app.Run();
\ No newline at end of file
{
"$schema": "https://json.schemastore.org/launchsettings.json",
"profiles": {
"APIs": {
"commandName": "Project",
"dotnetRunMessages": true,
"launchBrowser": true,
"launchUrl": "swagger",
"applicationUrl": "http://localhost:5133",
"environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development"
}
}
}
}
using FluentValidation;
using Models;
namespace APIs.Validators;
public class UserValidator : AbstractValidator<User>
{
public UserValidator()
{
RuleFor(it => it.UserName).NotNull();
}
}
\ No newline at end of file
namespace APIs;
public class WeatherForecast
{
public DateTime Date { get; set; }
public int TemperatureC { get; set; }
public int TemperatureF => 32 + (int) (TemperatureC / 0.5556);
public string? Summary { get; set; }
}
\ No newline at end of file
{
"Logging": {
"LogLevel": {
"Default": "Information",
"Microsoft.AspNetCore": "Warning"
}
}
}
{
"Logging": {
"LogLevel": {
"Default": "Information",
"Microsoft.AspNetCore": "Warning"
}
},
"AllowedHosts": "*",
"ConnectionStrings": {
"MySQL": "server=localhost;port=3306;Database=WebApiNet6;Uid=root;Pwd=123456;"
},
"Jwt": {
"Secret": "f30386a4fc41d3c1a75cd7f3de54c48c",
"Issuer": "Atlantis",
"Audience": "Atlantis"
}
}
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net6.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.IdentityModel.Tokens" Version="6.8.0" />
<PackageReference Include="Newtonsoft.Json" Version="13.0.1" />
<PackageReference Include="System.IdentityModel.Tokens.Jwt" Version="6.8.0" />
</ItemGroup>
</Project>
using System.IdentityModel.Tokens.Jwt;
using System.Security.Claims;
using System.Text;
using Microsoft.IdentityModel.Tokens;
using Newtonsoft.Json;
namespace Common;
public class JwtHelper
{
public static string CreateJwt(TokenModelJwt model)
{
var claims = new List<Claim>
{
new Claim("UserId", model.UserId.ToString()),
new Claim("UserName", model.UserName),
};
if (!string.IsNullOrWhiteSpace(model.Role))
{
claims.AddRange(model.Role.Split(',').Select(s => new Claim(ClaimTypes.Role, s)));
claims.Add(new Claim("Role", model.Role));
}
var key = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(model.Secret));
var creds = new SigningCredentials(key, SecurityAlgorithms.HmacSha256);
var jwt = new JwtSecurityToken(
issuer: model.Issuer,
audience: model.Audience,
expires: DateTime.Now.AddSeconds(model.Expires),
signingCredentials: creds,
claims: claims
);
var jwtHandler = new JwtSecurityTokenHandler();
var token = jwtHandler.WriteToken(jwt);
return token;
}
public static TokenModelJwt SerializeJwt(string jwtStr)
{
var jwtToken = new JwtSecurityTokenHandler().ReadJwtToken(jwtStr);
var tokenJwt = JsonConvert.DeserializeObject<TokenModelJwt>(jwtToken.Payload.SerializeToJson());
return tokenJwt;
}
public class TokenModelJwt
{
public int UserId { get; set; }
public string UserName { get; set; }
public string Issuer { get; set; }
public string Audience { get; set; }
public string Secret { get; set; }
public int Expires { get; set; }
public string Role { get; set; }
}
}
\ No newline at end of file
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net6.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="SqlSugarCore" Version="5.0.6.4" />
</ItemGroup>
</Project>
using SqlSugar;
namespace Models;
public class User
{
[SugarColumn(IsIdentity = true, IsPrimaryKey = true)]
public int Id { get; set; }
public string UserName { get; set; }
public int Age { get; set; }
}
\ No newline at end of file
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net6.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<ItemGroup>
<ProjectReference Include="..\Models\Models.csproj" />
</ItemGroup>
</Project>
using SqlSugar;
namespace Repositories;
public class Repository<T> : SimpleClient<T> where T : class, new()
{
public Repository(ISqlSugarClient context) : base(context)
{
base.Context = context;
}
}
\ No newline at end of file
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net6.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<ItemGroup>
<ProjectReference Include="..\Repositories\Repositories.csproj" />
</ItemGroup>
</Project>
using Models;
using Repositories;
namespace Services;
public class UserService
{
public Repository<User> UserRepository { get; }
public UserService(Repository<User> userRepository)
{
UserRepository = userRepository;
}
public List<User> GetUsers()
{
return UserRepository.GetList();
}
}
\ No newline at end of file

Microsoft Visual Studio Solution File, Format Version 12.00
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "APIs", "APIs\APIs.csproj", "{50472AC8-0769-43FD-9559-DFAF7C616B47}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Models", "Models\Models.csproj", "{7E5B59D3-5DFA-460F-8DC4-C2A10C7E555E}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Repositories", "Repositories\Repositories.csproj", "{73D6C350-8596-424A-B52B-D5DEBEE196C4}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Services", "Services\Services.csproj", "{076E47FF-99EB-4C5B-82D8-272AD9DBE6AC}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Common", "Common\Common.csproj", "{094E8D69-7AFA-4C76-9419-83F1DFF4944D}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
Release|Any CPU = Release|Any CPU
EndGlobalSection
GlobalSection(ProjectConfigurationPlatforms) = postSolution
{50472AC8-0769-43FD-9559-DFAF7C616B47}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{50472AC8-0769-43FD-9559-DFAF7C616B47}.Debug|Any CPU.Build.0 = Debug|Any CPU
{50472AC8-0769-43FD-9559-DFAF7C616B47}.Release|Any CPU.ActiveCfg = Release|Any CPU
{50472AC8-0769-43FD-9559-DFAF7C616B47}.Release|Any CPU.Build.0 = Release|Any CPU
{7E5B59D3-5DFA-460F-8DC4-C2A10C7E555E}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{7E5B59D3-5DFA-460F-8DC4-C2A10C7E555E}.Debug|Any CPU.Build.0 = Debug|Any CPU
{7E5B59D3-5DFA-460F-8DC4-C2A10C7E555E}.Release|Any CPU.ActiveCfg = Release|Any CPU
{7E5B59D3-5DFA-460F-8DC4-C2A10C7E555E}.Release|Any CPU.Build.0 = Release|Any CPU
{73D6C350-8596-424A-B52B-D5DEBEE196C4}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{73D6C350-8596-424A-B52B-D5DEBEE196C4}.Debug|Any CPU.Build.0 = Debug|Any CPU
{73D6C350-8596-424A-B52B-D5DEBEE196C4}.Release|Any CPU.ActiveCfg = Release|Any CPU
{73D6C350-8596-424A-B52B-D5DEBEE196C4}.Release|Any CPU.Build.0 = Release|Any CPU
{076E47FF-99EB-4C5B-82D8-272AD9DBE6AC}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{076E47FF-99EB-4C5B-82D8-272AD9DBE6AC}.Debug|Any CPU.Build.0 = Debug|Any CPU
{076E47FF-99EB-4C5B-82D8-272AD9DBE6AC}.Release|Any CPU.ActiveCfg = Release|Any CPU
{076E47FF-99EB-4C5B-82D8-272AD9DBE6AC}.Release|Any CPU.Build.0 = Release|Any CPU
{094E8D69-7AFA-4C76-9419-83F1DFF4944D}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{094E8D69-7AFA-4C76-9419-83F1DFF4944D}.Debug|Any CPU.Build.0 = Debug|Any CPU
{094E8D69-7AFA-4C76-9419-83F1DFF4944D}.Release|Any CPU.ActiveCfg = Release|Any CPU
{094E8D69-7AFA-4C76-9419-83F1DFF4944D}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
EndGlobal
Markdown 格式
0%
您添加了 0 到此讨论。请谨慎行事。
请先完成此评论的编辑!
注册 或者 后发表评论