C
C#2d ago
thomas

Unit Testing in Minimal Apis

c#
using Backend.Common;
using Backend.Common.Api.Extensions;
using Backend.Data;
using Backend.Data.Types;
using FluentValidation;
using Microsoft.AspNetCore.Http.HttpResults;
using Microsoft.EntityFrameworkCore;

namespace Backend.Posts.Endpoints;

public class UpdatePost : IEndpoint
{
public static void Map(IEndpointRouteBuilder app)
{
app
.MapPut("{id:guid}", Handle)
.RequireAuthorization()
.WithSummary("Updates an existing post")
.WithRequestValidation<Request>()
.WithEnsureUserOwnsEntity<Post, Request>(x => x.Id);
}

public record Request(
Guid Id,
string Title,
string Body,
Uri? CoverImageUrl);

public record Response(Guid Id, string Title, DateTime UpdatedAtUtc);

public class RequestValidator : AbstractValidator<Request>
{
public RequestValidator()
{
RuleFor(x => x.Id)
.NotEmpty()
.Must(x => Guid.TryParse(x.ToString(), out _))
.WithMessage("Invalid GUID format");

RuleFor(x => x.Title)
.NotEmpty()
.MaximumLength(200);

RuleFor(x => x.Body)
.NotEmpty();
}
}

private static async Task<Ok<Response>> Handle(
[AsParameters] Request request,
BlogDbContext dbContext,
CancellationToken cancellationToken)
{

var post = await dbContext.Posts
.FirstAsync(p => p.Id == request.Id, cancellationToken);

post.Title = request.Title;
post.Body = request.Body;
post.CoverImageUrl = request.CoverImageUrl;
post.UpdatedAtUtc = DateTime.UtcNow;

await dbContext.SaveChangesAsync(cancellationToken);

var response = new Response(post.Id, post.Title, post.UpdatedAtUtc ?? DateTime.UtcNow);
return TypedResults.Ok(response);
}
}
c#
using Backend.Common;
using Backend.Common.Api.Extensions;
using Backend.Data;
using Backend.Data.Types;
using FluentValidation;
using Microsoft.AspNetCore.Http.HttpResults;
using Microsoft.EntityFrameworkCore;

namespace Backend.Posts.Endpoints;

public class UpdatePost : IEndpoint
{
public static void Map(IEndpointRouteBuilder app)
{
app
.MapPut("{id:guid}", Handle)
.RequireAuthorization()
.WithSummary("Updates an existing post")
.WithRequestValidation<Request>()
.WithEnsureUserOwnsEntity<Post, Request>(x => x.Id);
}

public record Request(
Guid Id,
string Title,
string Body,
Uri? CoverImageUrl);

public record Response(Guid Id, string Title, DateTime UpdatedAtUtc);

public class RequestValidator : AbstractValidator<Request>
{
public RequestValidator()
{
RuleFor(x => x.Id)
.NotEmpty()
.Must(x => Guid.TryParse(x.ToString(), out _))
.WithMessage("Invalid GUID format");

RuleFor(x => x.Title)
.NotEmpty()
.MaximumLength(200);

RuleFor(x => x.Body)
.NotEmpty();
}
}

private static async Task<Ok<Response>> Handle(
[AsParameters] Request request,
BlogDbContext dbContext,
CancellationToken cancellationToken)
{

var post = await dbContext.Posts
.FirstAsync(p => p.Id == request.Id, cancellationToken);

post.Title = request.Title;
post.Body = request.Body;
post.CoverImageUrl = request.CoverImageUrl;
post.UpdatedAtUtc = DateTime.UtcNow;

await dbContext.SaveChangesAsync(cancellationToken);

var response = new Response(post.Id, post.Title, post.UpdatedAtUtc ?? DateTime.UtcNow);
return TypedResults.Ok(response);
}
}
2 Replies
thomas
thomasOP2d ago
How am i supposed to unit test something like this?
c#
[Fact]
public async Task UpdatePost_OwnPost_ReturnsOk()
{
// Arrange
var (token, userId) = await factory.AuthenticateUser("updateuser1");
_client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", token);

var postId = await factory.CreateTestPost(userId, "Original Title", "Original body content");

var updateRequest = new UpdatePost.Request(
postId,
"Updated Title",
"Updated body content",
new Uri("https://example.com/updated.jpg")
);

// Act
var response = await _client.PutAsJsonAsync($"/api/posts/{postId}", updateRequest);

// Assert
response.StatusCode.Should().Be(HttpStatusCode.OK);
var result = await response.Content.ReadFromJsonAsync<UpdatePost.Response>(_jsonOptions);

result.Should().NotBeNull();
result.Id.Should().Be(postId);
result.Title.Should().Be(updateRequest.Title);

// Verify database was updated
using var scope = factory.Services.CreateScope();
var dbContext = scope.ServiceProvider.GetRequiredService<BlogDbContext>();
var updatedPost = await dbContext.Posts.FindAsync(postId);
updatedPost.Should().NotBeNull();
updatedPost.Title.Should().Be(updateRequest.Title);
updatedPost.Body.Should().Be(updateRequest.Body);
updatedPost.CoverImageUrl.Should().Be(updateRequest.CoverImageUrl);
updatedPost.UpdatedAtUtc.Should().NotBeNull();
}
c#
[Fact]
public async Task UpdatePost_OwnPost_ReturnsOk()
{
// Arrange
var (token, userId) = await factory.AuthenticateUser("updateuser1");
_client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", token);

var postId = await factory.CreateTestPost(userId, "Original Title", "Original body content");

var updateRequest = new UpdatePost.Request(
postId,
"Updated Title",
"Updated body content",
new Uri("https://example.com/updated.jpg")
);

// Act
var response = await _client.PutAsJsonAsync($"/api/posts/{postId}", updateRequest);

// Assert
response.StatusCode.Should().Be(HttpStatusCode.OK);
var result = await response.Content.ReadFromJsonAsync<UpdatePost.Response>(_jsonOptions);

result.Should().NotBeNull();
result.Id.Should().Be(postId);
result.Title.Should().Be(updateRequest.Title);

// Verify database was updated
using var scope = factory.Services.CreateScope();
var dbContext = scope.ServiceProvider.GetRequiredService<BlogDbContext>();
var updatedPost = await dbContext.Posts.FindAsync(postId);
updatedPost.Should().NotBeNull();
updatedPost.Title.Should().Be(updateRequest.Title);
updatedPost.Body.Should().Be(updateRequest.Body);
updatedPost.CoverImageUrl.Should().Be(updateRequest.CoverImageUrl);
updatedPost.UpdatedAtUtc.Should().NotBeNull();
}
This is what i've been doing my im not sure if it makes sense or not. Basically the issue here is that im not sure if this is even a unit test, because im effectively using an http client to hit my endpoints, there’s no mocking in place here. I feel like this is more of an integration test.
Sossenbinder
Sossenbinder20h ago
Is it a problem it's an integration test? I rarely find value in CRUD based apis so I also just tend to go with integration tests most of the time If I want to unit test something I am looking for complicated logic and try to refactor it out into ideally pure functions which do not have dependencies on databases or similar So this seems good to me

Did you find this page helpful?