using Blahblah.FlowerStory.Server.Data; using Blahblah.FlowerStory.Server.Data.Model; using Microsoft.AspNetCore.Mvc; using Microsoft.EntityFrameworkCore; using System.ComponentModel.DataAnnotations; using System.Security.Cryptography; using System.Text; namespace Blahblah.FlowerStory.Server.Controller; /// /// 基础服务抽象类 /// public abstract partial class BaseController : ControllerBase { private const string Salt = "Blah blah, o! Flower story, intimately help you record every bit of the garden."; /// /// 支持的图片文件签名 /// protected static readonly List PhotoSignatures = new() { // jpeg new byte[] { 0xFF, 0xD8, 0xFF, 0xE0 }, new byte[] { 0xFF, 0xD8, 0xFF, 0xE2 }, new byte[] { 0xFF, 0xD8, 0xFF, 0xE3 }, // png new byte[] { 0x89, 0x50, 0x4E, 0x47 } }; /// /// 自定义认证头的关键字 /// protected const string AuthHeader = "Authorization"; /// /// 禁用用户 /// protected const int UserDisabled = -1; /// /// 普通用户 /// protected const int UserCommon = 0; /// /// 管理员用户 /// protected const int UserAdmin = 99; /// /// 数据库对象 /// protected readonly FlowerDatabase database; /// /// 日志对象 /// protected readonly ILogger? logger; /// /// 构造基础服务类 /// /// 数据库对象 /// 日志对象 protected BaseController(FlowerDatabase database, ILogger? logger = null) { this.database = database; this.logger = logger; } /// /// 计算密码的 hash /// /// 密码原文 /// 用户 id /// 密码 hash,值为 SHA256(password+id+salt) /// protected string HashPassword(string password, string id) { if (string.IsNullOrEmpty(password)) { throw new ArgumentNullException(nameof(password)); } if (string.IsNullOrEmpty(id)) { throw new ArgumentNullException(nameof(id)); } var data = Encoding.UTF8.GetBytes($"{password}{id}{Salt}"); var hash = SHA256.HashData(data); return Convert.ToHexString(hash); } /// /// 检出当前会话 /// /// 若检查失败,第一个参数返回异常 ActionResult。第二个参数返回会话令牌对象 protected (ActionResult? Result, TokenItem? Token) CheckToken() { if (!Request.Headers.TryGetValue(AuthHeader, out var h)) { logger?.LogWarning("request with no {auth} header", AuthHeader); return (Unauthorized(), null); } string hash = h.ToString(); var token = database.Tokens.Find(hash); if (token == null) { logger?.LogWarning("token \"{hash}\" not found", hash); return (Unauthorized(), null); } return (null, token); } /// /// 检查当前会话权限 /// /// 需要大于等于该权限,默认为 0 - UserCommon /// 若检查失败,第一个参数返回异常 ActionResult。第二个参数返回会话对应的用户对象 protected (ActionResult? Result, UserItem? User) CheckPermission(int? level = 0) { var (result, token) = CheckToken(); if (result != null) { return (result, null); } if (token == null) { return (Unauthorized(), null); } if (token.ExpireDate < DateTimeOffset.UtcNow) { logger?.LogWarning("token \"{hash}\" has expired after {date}", token.Id, token.ExpireDate); return (Unauthorized(), null); } var user = QueryUserItem(token.UserId); if (user == null) { logger?.LogWarning("user not found with id {id}", token.UserId); } else if (user.Level < level) { logger?.LogWarning("user \"{id}\" level ({level}) lower than required ({required})", user.UserId, user.Level, level); return (Forbid(), user); } else { var now = DateTimeOffset.UtcNow; token.ActiveDateUnixTime = now.ToUnixTimeMilliseconds(); var expires = now.AddSeconds(token.ExpireSeconds).ToUnixTimeMilliseconds(); if (expires > token.ExpireDateUnixTime) { token.ExpireDateUnixTime = expires; } user.ActiveDateUnixTime = now.ToUnixTimeMilliseconds(); } return (null, user); } /// /// 保存数据库变动并输出日志 /// /// protected int SaveDatabase() { var count = database.SaveChanges(); if (count > 0) { logger?.LogInformation("{number} of entries written to database.", count); } else { logger?.LogWarning("no data written to database."); } return count; } /// /// 读取文件到 byte 数组 /// /// 来自请求的文件 /// protected FileResult? WrapFormFile(IFormFile file) { if (file == null) { return null; } using var stream = file.OpenReadStream(); // check header var headers = new byte[PhotoSignatures.Max(s => s.Length)]; int count = stream.Read(headers, 0, headers.Length); if (PhotoSignatures.Any(s => headers.Take(s.Length).SequenceEqual(s))) { using var ms = new MemoryStream(); ms.Write(headers, 0, count); // reading const int size = 16384; var buffer = new byte[size]; while ((count = stream.Read(buffer, 0, size)) > 0) { ms.Write(buffer, 0, count); } var data = ms.ToArray(); var name = file.FileName; name = $"{Path.GetFileNameWithoutExtension(name)}_{DateTimeOffset.UtcNow.ToUnixTimeMilliseconds()}.{Path.GetExtension(name)}"; return new FileResult { Filename = name, Content = data }; } return null; } } /// /// 文件结果 /// public record FileResult { /// /// 文件名 /// public string? Filename { get; init; } /// /// 文件内容 /// [Required] public required byte[] Content { get; init; } }