using System.Diagnostics.CodeAnalysis; using Microsoft.EntityFrameworkCore; using OliverBooth.Data; using OliverBooth.Data.Blog; namespace OliverBooth.Services; public sealed class BlogService { private IDbContextFactory _dbContextFactory; /// /// Initializes a new instance of the class. /// /// The . public BlogService(IDbContextFactory dbContextFactory) { _dbContextFactory = dbContextFactory; } /// /// Gets a read-only view of all blog posts. /// /// A read-only view of all blog posts. public IReadOnlyCollection AllPosts { get { using BlogContext context = _dbContextFactory.CreateDbContext(); return context.BlogPosts.OrderByDescending(p => p.Published).ToArray(); } } /// /// Attempts to find the author of a blog post. /// /// The blog post. /// /// When this method returns, contains the associated with the specified blog post, if the /// author is found; otherwise, . /// if the author is found; otherwise, . /// is . public bool TryGetAuthor(BlogPost post, [NotNullWhen(true)] out Author? author) { if (post is null) throw new ArgumentNullException(nameof(post)); using BlogContext context = _dbContextFactory.CreateDbContext(); author = context.Authors.FirstOrDefault(a => a.Id == post.AuthorId); return author is not null; } /// /// Attempts to find a blog post by its publication date and slug. /// /// The year the post was published. /// The month the post was published. /// The day the post was published. /// The slug of the post. /// /// When this method returns, contains the associated with the specified publication /// date and slug, if the post is found; otherwise, . /// /// if the post is found; otherwise, . /// is . public bool TryGetBlogPost(int year, int month, int day, string slug, [NotNullWhen(true)] out BlogPost? post) { if (slug is null) throw new ArgumentNullException(nameof(slug)); using BlogContext context = _dbContextFactory.CreateDbContext(); post = context.BlogPosts.FirstOrDefault(p => p.Published.Year == year && p.Published.Month == month && p.Published.Day == day && p.Slug == slug); return post is not null; } }