Initial commit
All checks were successful
Build / build (push) Successful in 1m33s

This commit is contained in:
Chris Dill 2025-02-22 19:57:52 +00:00
commit 49dbf6e7a9
45 changed files with 3157 additions and 0 deletions

51
.editorconfig Executable file
View File

@ -0,0 +1,51 @@
# EditorConfig is awesome: http://EditorConfig.org
root = true
[*]
indent_style = space
# General
[*.{cs,csx,vb,vbx}]
indent_size = 4
insert_final_newline = true
charset = utf-8
trim_trailing_whitespace = true
# C# styles
[*.cs]
# Indentation preferences
csharp_indent_block_contents = true
csharp_indent_braces = false
csharp_indent_case_contents = true
csharp_indent_case_contents_when_block = true
csharp_indent_switch_labels = true
csharp_indent_labels = flush_left
csharp_style_namespace_declarations = file_scoped:warning
# Newline settings
csharp_new_line_before_open_brace = all
csharp_new_line_before_else = true
csharp_new_line_before_catch = true
csharp_new_line_before_finally = true
csharp_new_line_before_members_in_object_initializers = true
csharp_new_line_before_members_in_anonymous_types = true
csharp_new_line_between_query_expression_clauses = true
# Spacing
csharp_space_after_cast = false
csharp_space_after_colon_in_inheritance_clause = true
csharp_space_after_keywords_in_control_flow_statements = true
csharp_space_around_binary_operators = before_and_after
csharp_space_before_colon_in_inheritance_clause = true
csharp_space_between_method_call_empty_parameter_list_parentheses = false
csharp_space_between_method_call_name_and_opening_parenthesis = false
csharp_space_between_method_call_parameter_list_parentheses = false
csharp_space_between_method_declaration_empty_parameter_list_parentheses = false
csharp_space_between_method_declaration_parameter_list_parentheses = false
csharp_space_between_parentheses = false
# Blocks are allowed
csharp_prefer_braces = true:error
csharp_preserve_single_line_blocks = false
csharp_preserve_single_line_statements = false

2
.gitattributes vendored Executable file
View File

@ -0,0 +1,2 @@
# Auto detect text files and perform LF normalization
* text=auto

40
.gitea/workflows/build.yml Executable file
View File

@ -0,0 +1,40 @@
name: Build
on:
push:
branches:
- main
pull_request:
branches:
- main
jobs:
build:
runs-on: ubuntu-latest
env:
DOTNET_NOLOGO: true
DOTNET_CLI_TELEMETRY_OPTOUT: true
steps:
- name: Checkout repository
uses: actions/checkout@v4
- name: Install dotnet
uses: actions/setup-dotnet@v4
with:
dotnet-version: 9.0.x
- name: Build and test api
run: dotnet test -c release
- name: Install pnpm
uses: https://github.com/pnpm/action-setup@v4
with:
version: 9
run_install: false
- name: Install packages
working-directory: "client"
run: pnpm install
- name: Build client
working-directory: "client"
run: pnpm run build

12
.gitignore vendored Executable file
View File

@ -0,0 +1,12 @@
.vscode/
.zed/
.idea/
.nuget/
.svelte-kit/
build/
obj/
bin/
node_modules/
app.db
app.db-shm
app.db-wal

15
README.md Executable file
View File

@ -0,0 +1,15 @@
# test-web
Test web api/client.
1. Start frontend:
```shell
cd client
pnpm i
pnpm dev
```
2. Start backend:
```shell
dotnet run --project src
```

28
TestWeb.sln Normal file
View File

@ -0,0 +1,28 @@

Microsoft Visual Studio Solution File, Format Version 12.00
# Visual Studio Version 17
VisualStudioVersion = 17.0.31903.59
MinimumVisualStudioVersion = 10.0.40219.1
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "TestWeb", "src\TestWeb.csproj", "{F20748F6-8A41-4126-B1DF-F879E6F392C2}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "TestWeb.Tests", "tests\TestWeb.Tests.csproj", "{7EAA9F8C-EC88-4D3F-9DBA-6EC206C69FBB}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
Release|Any CPU = Release|Any CPU
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE
EndGlobalSection
GlobalSection(ProjectConfigurationPlatforms) = postSolution
{F20748F6-8A41-4126-B1DF-F879E6F392C2}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{F20748F6-8A41-4126-B1DF-F879E6F392C2}.Debug|Any CPU.Build.0 = Debug|Any CPU
{F20748F6-8A41-4126-B1DF-F879E6F392C2}.Release|Any CPU.ActiveCfg = Release|Any CPU
{F20748F6-8A41-4126-B1DF-F879E6F392C2}.Release|Any CPU.Build.0 = Release|Any CPU
{7EAA9F8C-EC88-4D3F-9DBA-6EC206C69FBB}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{7EAA9F8C-EC88-4D3F-9DBA-6EC206C69FBB}.Debug|Any CPU.Build.0 = Debug|Any CPU
{7EAA9F8C-EC88-4D3F-9DBA-6EC206C69FBB}.Release|Any CPU.ActiveCfg = Release|Any CPU
{7EAA9F8C-EC88-4D3F-9DBA-6EC206C69FBB}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
EndGlobal

31
client/package.json Executable file
View File

@ -0,0 +1,31 @@
{
"name": "test-web-client",
"version": "0.0.1",
"private": true,
"scripts": {
"dev": "vite dev",
"build": "vite build",
"preview": "vite preview",
"check": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json",
"check:watch": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json --watch",
"test": "vitest",
"format": "prettier --write --plugin prettier-plugin-svelte ."
},
"devDependencies": {
"@sveltejs/adapter-static": "^3.0.8",
"@sveltejs/kit": "^2.17.2",
"@sveltejs/vite-plugin-svelte": "^5.0.3",
"prettier": "^3.5.1",
"prettier-plugin-svelte": "^3.3.3",
"svelte": "^5.20.2",
"svelte-check": "^4.1.4",
"typescript": "^5.7.3",
"vite": "^6.1.1",
"vitest": "^3.0.6"
},
"dependencies": {
"@tanstack/svelte-query": "^5.66.4",
"axios": "^1.7.9"
},
"type": "module"
}

1448
client/pnpm-lock.yaml generated Normal file

File diff suppressed because it is too large Load Diff

9
client/src/app.d.ts vendored Executable file
View File

@ -0,0 +1,9 @@
// See https://kit.svelte.dev/docs/types#app
// for information about these interfaces
// and what to do when importing types
declare namespace App {
// interface Error {}
// interface Locals {}
// interface PageData {}
// interface Platform {}
}

17
client/src/app.html Executable file
View File

@ -0,0 +1,17 @@
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta name="theme-color" content="#333333" />
<meta name="description" content="Test app for learning" />
<link rel="stylesheet" href="/global.css" />
<link rel="icon" type="image/png" href="/favicon.png" />
%sveltekit.head%
</head>
<body data-sveltekit-preload-data="hover">
<div id="svelte">%sveltekit.body%</div>
</body>
</html>

View File

@ -0,0 +1 @@
export const prerender = true;

View File

@ -0,0 +1,45 @@
<script lang="ts">
import { QueryClient, QueryClientProvider } from "@tanstack/svelte-query";
import Jobs from "./jobs.svelte";
import Users from "./users.svelte";
import Vehicles from "./vehicles.svelte";
const queryClient = new QueryClient();
let tableName: string = "Jobs";
</script>
<QueryClientProvider client={queryClient}>
<form>
<select
bind:value={tableName}
class="tableName form-control"
id="exampleFormControlSelect1"
>
<option>Jobs</option>
<option>Users</option>
<option>Vehicles</option>
</select>
</form>
{#if tableName == "Jobs"}
<Jobs />
{:else if tableName == "Users"}
<Users />
{:else if tableName == "Vehicles"}
<Vehicles />
{/if}
</QueryClientProvider>
<style>
form {
display: flex;
gap: 20px;
margin-bottom: 20px;
}
.form-control {
width: 20%;
}
</style>

View File

@ -0,0 +1,93 @@
<script lang="ts">
import axios from "axios";
import { createQuery, useQueryClient } from "@tanstack/svelte-query";
const queryClient = useQueryClient();
const baseAddress = `http://localhost:5000/api/jobs`;
const create = async (row: any) => {
row.id = undefined;
const response = await axios.post(baseAddress, row);
queryClient.invalidateQueries("jobs");
return response.data;
};
const getList = async () => {
const response = await axios.get(baseAddress);
return response.data;
};
const getById = async () => {
const response = await axios.get(`${baseAddress}/${row.id}`);
return response.data;
};
const updateById = async (row: any) => {
const response = await axios.put(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("jobs");
return response.data;
};
const deleteById = async (row: any) => {
const response = await axios.delete(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("jobs");
return response.data;
};
const query = createQuery({ queryKey: ["jobs"], queryFn: getList });
let row = {
id: null,
clientName: "",
pickup: "",
dropoff: "",
VehicleId: 33,
userId: 1,
};
</script>
<form>
<input bind:value={row.clientName} placeholder="Test" />
<input bind:value={row.pickup} placeholder="Test" />
<input bind:value={row.dropoff} placeholder="Test" />
{#if row.id == null}
<button on:click={() => create(row)}>Create</button>
{:else}
<button on:click={() => updateById(row)}>Update</button>
{/if}
</form>
{#if $query.isLoading}
<span>Loading...</span>
{:else if $query.error}
<span>An error has occurred: {$query.error}</span>
{:else}
<table>
<thead>
<tr>
<th>Id</th>
<th>Client Name</th>
<th>Pickup</th>
<th>Dropoff</th>
<th>Vehicle</th>
<th>User</th>
</tr>
</thead>
<tbody>
{#each $query.data as job}
<tr>
<td>{job.id}</td>
<td>{job.clientName}</td>
<td>{job.pickup}</td>
<td>{job.dropoff}</td>
<td>{job.VehicleId}</td>
<td>{job.userId}</td>
<td>
<button on:click={() => (row = job)}>Edit</button>
<button on:click={() => deleteById(job)}>Delete</button>
</td>
</tr>
{/each}
</tbody>
</table>
{/if}

View File

@ -0,0 +1,82 @@
<script lang="ts">
import { createQuery, useQueryClient } from "@tanstack/svelte-query";
import axios from "axios";
const queryClient = useQueryClient();
const baseAddress = `http://localhost:5000/api/users`;
const create = async (row: any) => {
row.id = undefined;
const response = await axios.post(baseAddress, row);
queryClient.invalidateQueries("users");
return response.data;
};
const getList = async () => {
const response = await axios.get(baseAddress);
return response.data;
};
const getById = async () => {
const response = await axios.get(`${baseAddress}/${row.id}`);
return response.data;
};
const updateById = async (row: any) => {
const response = await axios.put(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("users");
return response.data;
};
const deleteById = async (row: any) => {
const response = await axios.delete(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("users");
return response.data;
};
const query = createQuery({ queryKey: ["users"], queryFn: getData });
let row = {
id: null,
name: "",
age: "",
};
</script>
<form>
<input bind:value={row.name} placeholder="Test" />
<input bind:value={row.age} type="number" placeholder="Test" />
{#if row.id == null}
<button on:click={() => create(row)}>Create</button>
{:else}
<button on:click={() => updateById(row)}>Update</button>
{/if}
</form>
{#if $query.isLoading}
<span>Loading...</span>
{:else if $query.error}
<span>An error has occurred: {$query.error}</span>
{:else}
<table>
<thead>
<tr>
<th>Id</th>
<th>Name</th>
<th>Age</th>
</tr>
</thead>
{#each $query.Database as user}
<tr>
<td>{user.id}</td>
<td>{user.name}</td>
<td>{user.age}</td>
<td>
<button on:click={() => (row = user)}>Edit</button>
<button on:click={() => deleteById(user)}>Delete</button>
</td>
</tr>
{/each}
</table>
{/if}

View File

@ -0,0 +1,91 @@
<script lang="ts">
import axios from "axios";
import { createQuery, useQueryClient } from "@tanstack/svelte-query";
const queryClient = useQueryClient();
const baseAddress = `http://localhost:5000/api/vehicles`;
const create = async (row: any) => {
row.id = undefined;
const response = await axios.post(baseAddress, row);
queryClient.invalidateQueries("vehicles");
return response.data;
};
const getList = async () => {
const response = await axios.get(baseAddress);
return response.data;
};
const getById = async () => {
const response = await axios.get(`${baseAddress}/${row.id}`);
return response.data;
};
const updateById = async (row: any) => {
const response = await axios.put(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("vehicles");
return response.data;
};
const deleteById = async (row: any) => {
const response = await axios.delete(`${baseAddress}/${row.id}`, row);
queryClient.invalidateQueries("vehicles");
return response.data;
};
const query = createQuery({
queryKey: ["vehicles"],
queryFn: getList,
});
let row = {
id: null,
make: "",
model: "",
year: 2025,
};
</script>
<form>
<input bind:value={row.make} placeholder="Test" />
<input bind:value={row.model} placeholder="Test" />
<input bind:value={row.year} type="number" placeholder="Test" />
{#if row.id == null}
<button on:click={() => create(row)}>Create</button>
{:else}
<button on:click={() => updateById(row)}>Update</button>
{/if}
</form>
{#if $query.isPending}
<span>Loading...</span>
{:else if $query.error}
<span>An error has occurred: {$query.error}</span>
{:else}
<table>
<thead>
<tr>
<th>Id</th>
<th>Make</th>
<th>Model</th>
<th>Year</th>
</tr>
</thead>
<tbody>
{#each $query.data as vehicle}
<tr>
<td>{vehicle.id}</td>
<td>{vehicle.make}</td>
<td>{vehicle.model}</td>
<td>{vehicle.year}</td>
<td>
<button on:click={() => (row = vehicle)}>Edit</button>
<button on:click={() => deleteById(vehicle)}>Delete</button>
</td>
</tr>
{/each}
</tbody>
</table>
{/if}

BIN
client/static/favicon.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.5 KiB

188
client/static/global.css Executable file
View File

@ -0,0 +1,188 @@
/* Dark theme */
:root {
--background-color: #333333;
--header-color: #202225;
--headings-color: #ffffff;
--font-color: #eeeeee;
--border-color: #141414;
--line-color: #ffffff;
--link-color: #cc99ff;
--link-color-hover: #ffffff;
}
/* Light theme */
html[data-theme="light"] {
--background-color: #ffffff;
--headings-color: #181818;
--font-color: #181818;
--line-color: #181818;
--nav-link-color: #2599fd;
--nav-link-color-hover: #000000;
--link-color: #cc99ff;
--link-color-hover: #000000;
}
body {
background-color: var(--background-color);
color: var(--font-color);
font-family: "Open Sans", sans-serif;
font-display: swap;
font-size: 1rem;
line-height: 1.6;
}
h1,
h2,
h3,
h4,
h5 {
color: var(--headings-color);
font-weight: bold;
line-height: 1.2;
}
hr {
background-color: var(--line-color);
}
table {
width: 100%;
}
table th {
text-align: left;
padding-top: 5px;
padding-bottom: 5px;
}
table td {
padding-top: 5px;
padding-bottom: 5px;
}
form {
margin-bottom: 20px;
}
.container {
width: 100%;
padding-right: 15px;
padding-left: 15px;
margin-right: auto;
margin-left: auto;
}
@media (min-width: 576px) {
.container {
width: 540px;
}
}
@media (min-width: 768px) {
.container {
width: 720px;
}
}
@media (min-width: 992px) {
.container {
width: 960px;
}
}
@media (min-width: 1200px) {
.container {
width: 1140px;
}
}
/* Navigation */
header {
display: flex;
justify-content: space-between;
padding-top: 10px;
padding-bottom: 10px;
padding-left: 0px;
width: 1200px;
margin: 0 auto;
}
header h1 {
margin: 0;
}
a {
color: var(--link-color);
transition: color 0.1s linear;
}
a:hover {
color: var(--link-color-hover);
}
/* Content */
main {
width: 1200px;
margin: 0 auto;
margin-top: 60px;
}
a {
color: rgb(0, 100, 200);
text-decoration: none;
}
a:hover {
text-decoration: underline;
}
a:visited {
color: rgb(0, 80, 160);
}
label {
display: block;
}
input,
button,
select,
textarea {
font-family: inherit;
font-size: inherit;
padding: 0.4em;
margin: 0 0 0.5em 0;
box-sizing: border-box;
border: 1px solid #ccc;
border-radius: 2px;
}
input:disabled {
color: #ccc;
}
input[type="range"] {
height: 0;
}
button {
color: #333;
background-color: #f4f4f4;
outline: none;
}
button:disabled {
color: #999;
}
button:not(:disabled):active {
background-color: #ddd;
}
button:focus {
border-color: #666;
}
footer {
display: flex;
justify-content: space-between;
color: var(--font-color);
font-family: var(--font1);
margin-top: 30px;
}

12
client/svelte.config.js Executable file
View File

@ -0,0 +1,12 @@
import adapter from "@sveltejs/adapter-static";
import { vitePreprocess } from "@sveltejs/vite-plugin-svelte";
/** @type {import('@sveltejs/kit').Config} */
const config = {
preprocess: vitePreprocess(),
kit: {
adapter: adapter(),
},
};
export default config;

19
client/tsconfig.json Executable file
View File

@ -0,0 +1,19 @@
{
"extends": "./.svelte-kit/tsconfig.json",
"compilerOptions": {
"allowJs": true,
"checkJs": true,
"esModuleInterop": true,
"forceConsistentCasingInFileNames": true,
"resolveJsonModule": true,
"skipLibCheck": true,
"sourceMap": true,
"strict": true,
"moduleResolution": "bundler"
}
// Path aliases are handled by https://kit.svelte.dev/docs/configuration#alias
// except $lib which is handled by https://kit.svelte.dev/docs/configuration#files
//
// If you want to overwrite includes/excludes, make sure to copy over the relevant includes/excludes
// from the referenced tsconfig.json - TypeScript does not merge them in
}

9
client/vite.config.ts Executable file
View File

@ -0,0 +1,9 @@
import { sveltekit } from "@sveltejs/kit/vite";
import { defineConfig } from "vitest/config";
export default defineConfig({
plugins: [sveltekit()],
test: {
include: ["src/**/*.{test,spec}.{js,ts}"],
},
});

28
src/Common/AppDbContext.cs Executable file
View File

@ -0,0 +1,28 @@
using Microsoft.EntityFrameworkCore;
namespace TestWeb.Common;
public class AppDbContext(DbContextOptions<AppDbContext> options) : DbContext(options)
{
public DbSet<User> Users
{
get; set;
}
public DbSet<Job> Jobs
{
get; set;
}
public DbSet<Note> Notes
{
get; set;
}
public DbSet<Vehicle> Vehicles
{
get; set;
}
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
base.OnModelCreating(modelBuilder);
}
}

View File

@ -0,0 +1,14 @@
namespace System.Security.Claims;
public static class ClaimsPrincipalExtensions
{
public static int GetUserId(this ClaimsPrincipal claimsPrincipal)
{
if (!int.TryParse(claimsPrincipal.FindFirstValue(ClaimTypes.NameIdentifier), out var id))
{
throw new InvalidOperationException("Invalid UserId");
}
return 0;
}
}

34
src/Common/Job.cs Executable file
View File

@ -0,0 +1,34 @@
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace TestWeb.Common;
public class Job
{
[Key]
public int Id
{
get; set;
}
public required string ClientName
{
get; set;
}
public required string Pickup
{
get; set;
}
public string? Dropoff
{
get; set;
}
public int VehicleId
{
get; set;
}
public DateTime CreatedAtUtc { get; private init; } = DateTime.UtcNow;
public DateTime? LastUpdatedAtUtc
{
get; set;
}
}

34
src/Common/Jwt.cs Normal file
View File

@ -0,0 +1,34 @@
using Microsoft.Extensions.Options;
using Microsoft.IdentityModel.Tokens;
using System.IdentityModel.Tokens.Jwt;
using System.Text;
namespace TestWeb.Common;
public class JwtOptions
{
public required string Key
{
get; init;
}
}
public class Jwt(IOptions<JwtOptions> options)
{
public string GenerateToken(User user)
{
var key = SecurityKey(options.Value.Key);
var signingCredentials = new SigningCredentials(key, SecurityAlgorithms.HmacSha256Signature);
var token = new JwtSecurityToken
(
claims: [new Claim(ClaimTypes.NameIdentifier, user.Id.ToString())],
signingCredentials: new(key, SecurityAlgorithms.HmacSha256Signature),
expires: DateTime.UtcNow.AddYears(1)
);
return new JwtSecurityTokenHandler().WriteToken(token);
}
public static SymmetricSecurityKey SecurityKey(string key) => new(Encoding.ASCII.GetBytes(key));
}

23
src/Common/Note.cs Executable file
View File

@ -0,0 +1,23 @@
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace TestWeb.Common;
public class Note
{
[Key]
public int Id
{
get; private set;
}
public required string Content
{
get; set;
}
public DateTime CreatedAtUtc { get; private init; } = DateTime.UtcNow;
public DateTime? LastUpdatedAtUtc
{
get; set;
}
}

View File

@ -0,0 +1,13 @@
namespace TestWeb.Common;
public class RequestLoggingFilter(ILogger<RequestLoggingFilter> logger) : IEndpointFilter
{
public async ValueTask<object?> InvokeAsync(EndpointFilterInvocationContext context, EndpointFilterDelegate next)
{
logger.LogInformation(
"HTTP {Method} {Path} recieved",
context.HttpContext.Request.Method,
context.HttpContext.Request.Path);
return await next(context);
}
}

View File

@ -0,0 +1,29 @@
namespace TestWeb.Common;
public class RequestValidationFilter<TRequest>(
ILogger<RequestValidationFilter<TRequest>> logger,
IValidator<TRequest>? validator = null) : IEndpointFilter
{
public async ValueTask<object?> InvokeAsync(EndpointFilterInvocationContext context, EndpointFilterDelegate next)
{
var requestName = typeof(TRequest).FullName;
if (validator is null)
{
logger.LogInformation("{Request}: No validator configured.", requestName);
return await next(context);
}
logger.LogInformation("{Request}: Validating...", requestName);
var request = context.Arguments.OfType<TRequest>().First();
var validationResult = await validator.ValidateAsync(request, context.HttpContext.RequestAborted);
if (!validationResult.IsValid)
{
logger.LogWarning("{Request}: Validation failed.", requestName);
return TypedResults.ValidationProblem(validationResult.ToDictionary());
}
logger.LogInformation("{Request}: Validation succeeded.", requestName);
return await next(context);
}
}

26
src/Common/User.cs Executable file
View File

@ -0,0 +1,26 @@
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace TestWeb.Common;
public class User
{
[Key]
public int Id
{
get; private init;
}
public required string Username
{
get; set;
}
public required string Password
{
get; set;
}
public required string DisplayName
{
get; set;
}
public DateTime CreatedAtUtc { get; private init; } = DateTime.UtcNow;
}

View File

@ -0,0 +1,11 @@
namespace TestWeb.Common;
public static class ValidationExtensions
{
public static RouteHandlerBuilder WithRequestValidation<TRequest>(this RouteHandlerBuilder builder)
{
return builder
.AddEndpointFilter<RequestValidationFilter<TRequest>>()
.ProducesValidationProblem();
}
}

30
src/Common/Vehicle.cs Executable file
View File

@ -0,0 +1,30 @@
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace TestWeb.Common;
public class Vehicle
{
[Key]
public int Id
{
get; set;
}
public required string Make
{
get; set;
}
public required string Model
{
get; set;
}
public required int Year
{
get; set;
}
public DateTime CreatedAtUtc { get; private init; } = DateTime.UtcNow;
public DateTime? LastUpdatedAtUtc
{
get; set;
}
}

115
src/Jobs/JobApi.cs Normal file
View File

@ -0,0 +1,115 @@
namespace TestWeb.Jobs;
public static class JobApi
{
public static void MapEndpoints(IEndpointRouteBuilder endpoints)
{
var group = endpoints.MapGroup("/api/jobs").WithTags("Jobs").AllowAnonymous();
group.MapPost("/", Create).WithSummary("Create a job");
group.MapGet("/", GetList).WithSummary("Get job list");
group.MapGet("/{id}", GetById).WithSummary("Get job by id");
group.MapPut("/{id}", UpdateById).WithSummary("Update job by id");
group.MapDelete("/{id}", DeleteById).WithSummary("Delete job by id");
}
public record CreateRequest(string ClientName);
public class CreateRequestValidator : AbstractValidator<CreateRequest>
{
public CreateRequestValidator()
{
RuleFor(x => x.ClientName).NotEmpty().MaximumLength(250);
}
}
public record CreateResponse(int Id);
public static async Task<Ok<CreateResponse>> Create(
CreateRequest request,
AppDbContext db,
CancellationToken ct)
{
var row = new Job
{
ClientName = request.ClientName,
Pickup = "",
};
await db.Jobs.AddAsync(row, ct);
await db.SaveChangesAsync(ct);
var response = new CreateResponse(row.Id);
return TypedResults.Ok(response);
}
public static async Task<Ok<Job[]>> GetList(AppDbContext db, CancellationToken ct)
{
var results = await db.Jobs.ToArrayAsync(ct);
return TypedResults.Ok(results);
}
public static async Task<Results<Ok<Job>, NotFound>> GetById(
int id,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Jobs
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
return result is null
? TypedResults.NotFound()
: TypedResults.Ok(result);
}
public record UpdateByIdRequest(string ClientName);
public class UpdateByIdRequestValidator : AbstractValidator<UpdateByIdRequest>
{
public UpdateByIdRequestValidator()
{
RuleFor(x => x.ClientName).NotEmpty().MaximumLength(250);
}
}
public static async Task<Results<Ok, NotFound>> UpdateById(
int id,
UpdateByIdRequest request,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Jobs
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
if (result == null)
{
return TypedResults.NotFound();
}
result.ClientName = request.ClientName;
result.LastUpdatedAtUtc = DateTime.UtcNow;
await db.SaveChangesAsync(ct);
return TypedResults.Ok();
}
public static async Task<Results<Ok, NotFound>> DeleteById(
int id,
AppDbContext db,
CancellationToken ct)
{
var rowsDeleted = await db.Jobs
.Where(x => x.Id == id)
.ExecuteDeleteAsync(ct);
return rowsDeleted == 1
? TypedResults.Ok()
: TypedResults.NotFound();
}
}

35
src/Jobs/JobApi.http Normal file
View File

@ -0,0 +1,35 @@
###
POST http://localhost:5000/api/jobs HTTP/1.1
Content-Type: application/json
Accept: /
{
"ClientName": "TestCreate",
"Pickup": "Test1",
"Dropoff": "Test2"
}
###
GET http://localhost:5000/api/jobs HTTP/1.1
###
GET http://localhost:5000/api/jobs/1 HTTP/1.1
###
PUT http://localhost:5000/api/jobs/1 HTTP/1.1
Content-Type: application/json
Accept: /
{
"ClientName": "TestUpdate"
}
###
DELETE http://localhost:5000/api/jobs/1 HTTP/1.1
Content-Type: application/json
Accept: /

114
src/Notes/NoteApi.cs Normal file
View File

@ -0,0 +1,114 @@
namespace TestWeb.Notes;
public static class NoteApi
{
public static void MapEndpoints(IEndpointRouteBuilder endpoints)
{
var group = endpoints.MapGroup("/api/notes").WithTags("Notes").AllowAnonymous();
group.MapPost("/", Create).WithSummary("Create a note");
group.MapGet("/", GetList).WithSummary("Get note list");
group.MapGet("/{id}", GetById).WithSummary("Get note by id");
group.MapPut("/{id}", UpdateById).WithSummary("Update note by id");
group.MapDelete("/{id}", DeleteById).WithSummary("Delete note by id");
}
public record CreateRequest(string Content);
public class CreateRequestValidator : AbstractValidator<CreateRequest>
{
public CreateRequestValidator()
{
RuleFor(x => x.Content).NotEmpty().MaximumLength(250);
}
}
public record CreateResponse(int Id);
public static async Task<Ok<CreateResponse>> Create(
CreateRequest request,
AppDbContext db,
CancellationToken ct)
{
var row = new Note
{
Content = request.Content
};
await db.Notes.AddAsync(row, ct);
await db.SaveChangesAsync(ct);
var response = new CreateResponse(row.Id);
return TypedResults.Ok(response);
}
public static async Task<Ok<Note[]>> GetList(AppDbContext db, CancellationToken ct)
{
var results = await db.Notes.ToArrayAsync(ct);
return TypedResults.Ok(results);
}
public static async Task<Results<Ok<Note>, NotFound>> GetById(
int id,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Notes
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
return result is null
? TypedResults.NotFound()
: TypedResults.Ok(result);
}
public record UpdateByIdRequest(string Content);
public class UpdateByIdRequestValidator : AbstractValidator<UpdateByIdRequest>
{
public UpdateByIdRequestValidator()
{
RuleFor(x => x.Content).NotEmpty().MaximumLength(250);
}
}
public static async Task<Results<Ok, NotFound>> UpdateById(
int id,
UpdateByIdRequest request,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Notes
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
if (result == null)
{
return TypedResults.NotFound();
}
result.Content = request.Content;
result.LastUpdatedAtUtc = DateTime.UtcNow;
await db.SaveChangesAsync(ct);
return TypedResults.Ok();
}
public static async Task<Results<Ok, NotFound>> DeleteById(
int id,
AppDbContext db,
CancellationToken ct)
{
var rowsDeleted = await db.Notes
.Where(x => x.Id == id)
.ExecuteDeleteAsync(ct);
return rowsDeleted == 1
? TypedResults.Ok()
: TypedResults.NotFound();
}
}

33
src/Notes/NoteApi.http Normal file
View File

@ -0,0 +1,33 @@
###
POST http://localhost:5000/api/notes HTTP/1.1
Content-Type: application/json
Accept: /
{
"Content": "Test"
}
###
GET http://localhost:5000/api/notes HTTP/1.1
###
GET http://localhost:5000/api/notes/1 HTTP/1.1
###
PUT http://localhost:5000/api/notes/1 HTTP/1.1
Content-Type: application/json
Accept: /
{
"Content": "TestUpdate"
}
###
DELETE http://localhost:5000/api/notes/1 HTTP/1.1
Content-Type: application/json
Accept: /

118
src/Program.cs Executable file
View File

@ -0,0 +1,118 @@
global using Microsoft.EntityFrameworkCore;
global using Microsoft.AspNetCore.Authentication.JwtBearer;
global using Microsoft.AspNetCore.Http.HttpResults;
global using System.Security.Claims;
global using FluentValidation;
global using TestWeb.Common;
using Microsoft.AspNetCore.Cors.Infrastructure;
using Microsoft.AspNetCore.Identity;
using Microsoft.IdentityModel.Tokens;
using Microsoft.Extensions.Options;
using Microsoft.OpenApi.Models;
using System.IdentityModel.Tokens.Jwt;
using System.Text;
using TestWeb.Jobs;
using TestWeb.Notes;
using TestWeb.Users;
using TestWeb.Vehicles;
using TestWeb.WeatherForecasts;
namespace TestWeb;
public class Program
{
public static void Main(string[] args)
{
var builder = WebApplication.CreateBuilder(args);
AddServices(builder);
var app = builder.Build();
Configure(app);
app.Run();
}
public static void AddServices(WebApplicationBuilder builder)
{
builder.Services.AddDbContext<AppDbContext>(
options => options.UseSqlite("DataSource=app.db"));
builder.Services.AddAuthentication().AddJwtBearer(options =>
{
options.TokenValidationParameters = new TokenValidationParameters
{
IssuerSigningKey = Jwt.SecurityKey(builder.Configuration["Jwt:Key"]!),
ValidateIssuer = false,
ValidateAudience = false,
ValidateLifetime = true,
ValidateIssuerSigningKey = true,
ClockSkew = TimeSpan.Zero
};
});
builder.Services.AddAuthorization();
builder.Services.Configure<JwtOptions>(builder.Configuration.GetSection("Jwt"));
builder.Services.AddTransient<Jwt>();
builder.Services.AddOpenApi();
builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen(options =>
{
options.CustomSchemaIds(type => type.ToString());
});
builder.Services.AddCors(options =>
{
options.AddPolicy(
"CorsPolicy",
builder => builder.AllowAnyOrigin().AllowAnyHeader().AllowAnyMethod());
});
builder.Services.AddValidatorsFromAssembly(typeof(Program).Assembly);
}
public static void Configure(WebApplication app)
{
app.MapOpenApi();
// Configure the HTTP request pipeline.
if (app.Environment.IsDevelopment())
{
app.UseSwagger();
app.UseSwaggerUI();
}
app.UseDeveloperExceptionPage();
app.UseCors("CorsPolicy");
app.UseHttpsRedirection();
app.UseRouting();
app.UseAuthorization();
var apis = app.MapGroup("")
.AddEndpointFilter<RequestLoggingFilter>()
.RequireAuthorization();
var securityScheme = new OpenApiSecurityScheme()
{
Type = SecuritySchemeType.Http,
Name = JwtBearerDefaults.AuthenticationScheme,
Scheme = JwtBearerDefaults.AuthenticationScheme,
Reference = new()
{
Type = ReferenceType.SecurityScheme,
Id = JwtBearerDefaults.AuthenticationScheme
}
};
apis.WithOpenApi(x => new(x) { Security = [new() { [securityScheme] = [] }] });
JobApi.MapEndpoints(apis);
NoteApi.MapEndpoints(apis);
UserApi.MapEndpoints(apis);
VehicleApi.MapEndpoints(apis);
WeatherForecastApi.MapEndpoints(apis);
using var scope = app.Services.CreateScope();
var db = scope.ServiceProvider.GetRequiredService<AppDbContext>();
db.Database.EnsureCreated();
}
}

18
src/TestWeb.csproj Executable file
View File

@ -0,0 +1,18 @@
<Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<Nullable>enable</Nullable>
<ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="Swashbuckle.AspNetCore" Version="7.2.0" />
<PackageReference Include="Microsoft.EntityFrameworkCore.Sqlite" Version="9.0.2" />
<PackageReference Include="FluentValidation" Version="11.11.0" />
<PackageReference Include="FluentValidation.DependencyInjectionExtensions" Version="11.11.0" />
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="9.0.2" />
<PackageReference Include="Microsoft.AspNetCore.OpenApi" Version="9.0.2" />
</ItemGroup>
</Project>

41
src/Users/UserApi.cs Normal file
View File

@ -0,0 +1,41 @@
namespace TestWeb.Users;
public static class UserApi
{
public static void MapEndpoints(IEndpointRouteBuilder endpoints)
{
var group = endpoints.MapGroup("/api/users").WithTags("Users").AllowAnonymous();
group.MapPost("/login", Login).WithSummary("Log in a user").WithRequestValidation<LoginRequest>();
}
public record LoginRequest(string Username, string Password);
public record LoginResponse(string Token);
public class LoginRequestValidator : AbstractValidator<LoginRequest>
{
public LoginRequestValidator()
{
RuleFor(x => x.Username).NotEmpty();
RuleFor(x => x.Password).NotEmpty();
}
}
private static async Task<Results<Ok<LoginResponse>, UnauthorizedHttpResult>> Login(
LoginRequest request,
AppDbContext db,
Jwt jwt,
CancellationToken ct)
{
var user = await db.Users.SingleOrDefaultAsync(x => x.Username == request.Username && x.Password == request.Password, ct);
if (user is null || user.Password != request.Password)
{
return TypedResults.Unauthorized();
}
var token = jwt.GenerateToken(user);
var response = new LoginResponse(token);
return TypedResults.Ok(response);
}
}

9
src/Users/UserApi.http Normal file
View File

@ -0,0 +1,9 @@
###
POST http://localhost:5000/api/users/test/login HTTP/1.1
Content-Type: application/json
Accept: /
{
}

115
src/Vehicles/VehicleApi.cs Normal file
View File

@ -0,0 +1,115 @@
namespace TestWeb.Vehicles;
public static class VehicleApi
{
public static void MapEndpoints(IEndpointRouteBuilder endpoints)
{
var group = endpoints.MapGroup("/api/vehicles").WithTags("Vehicles").AllowAnonymous();
group.MapPost("/", Create).WithSummary("Create a vehicle");
group.MapGet("/", GetList).WithSummary("Get vehicle list");
group.MapGet("/{id}", GetById).WithSummary("Get vehicle by id");
group.MapPut("/{id}", UpdateById).WithSummary("Update vehicle by id");
group.MapDelete("/{id}", DeleteById).WithSummary("Delete vehicle by id");
}
public record CreateRequest(string Make);
public class CreateRequestValidator : AbstractValidator<CreateRequest>
{
public CreateRequestValidator()
{
RuleFor(x => x.Make).NotEmpty().MaximumLength(250);
}
}
public record CreateResponse(int Id);
public static async Task<Ok<CreateResponse>> Create(
CreateRequest request,
AppDbContext db,
CancellationToken ct)
{
var row = new Vehicle
{
Make = request.Make,
Model = "",
Year = DateTime.Now.Year
};
await db.Vehicles.AddAsync(row, ct);
await db.SaveChangesAsync(ct);
var response = new CreateResponse(row.Id);
return TypedResults.Ok(response);
}
public static async Task<Ok<Vehicle[]>> GetList(AppDbContext db, CancellationToken ct)
{
var results = await db.Vehicles.ToArrayAsync(ct);
return TypedResults.Ok(results);
}
public static async Task<Results<Ok<Vehicle>, NotFound>> GetById(
int id,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Vehicles
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
return result is null
? TypedResults.NotFound()
: TypedResults.Ok(result);
}
public record UpdateByIdRequest(string Make);
public class UpdateByIdRequestValidator : AbstractValidator<UpdateByIdRequest>
{
public UpdateByIdRequestValidator()
{
RuleFor(x => x.Make).NotEmpty().MaximumLength(250);
}
}
public static async Task<Results<Ok, NotFound>> UpdateById(
int id,
UpdateByIdRequest request,
AppDbContext db,
CancellationToken ct)
{
var result = await db.Vehicles
.Where(x => x.Id == id)
.SingleOrDefaultAsync(ct);
if (result == null)
{
return TypedResults.NotFound();
}
result.Make = request.Make;
result.LastUpdatedAtUtc = DateTime.UtcNow;
await db.SaveChangesAsync(ct);
return TypedResults.Ok();
}
public static async Task<Results<Ok, NotFound>> DeleteById(
int id,
AppDbContext db,
CancellationToken ct)
{
var rowsDeleted = await db.Vehicles
.Where(x => x.Id == id)
.ExecuteDeleteAsync(ct);
return rowsDeleted == 1
? TypedResults.Ok()
: TypedResults.NotFound();
}
}

View File

@ -0,0 +1,33 @@
###
POST http://localhost:5000/api/vehicles HTTP/1.1
Content-Type: application/json
Accept: /
{
"Make": "Test"
}
###
GET http://localhost:5000/api/vehicles HTTP/1.1
###
GET http://localhost:5000/api/vehicles/1 HTTP/1.1
###
PUT http://localhost:5000/api/vehicles/1 HTTP/1.1
Content-Type: application/json
Accept: /
{
"Make": "TestUpdate"
}
###
DELETE http://localhost:5000/api/vehicles/1 HTTP/1.1
Content-Type: application/json
Accept: /

View File

@ -0,0 +1,31 @@
namespace TestWeb.WeatherForecasts;
public static class WeatherForecastApi
{
public static void MapEndpoints(IEndpointRouteBuilder endpoints)
{
var group = endpoints.MapGroup("/api/weatherforecasts").WithTags("WeatherForecasts").AllowAnonymous();
group.MapGet("/", GetList).WithSummary("Get weather forecast list");
}
private static readonly string[] Summaries = new[]
{
"Freezing", "Bracing", "Chilly", "Cool", "Mild", "Warm", "Balmy", "Hot", "Sweltering", "Scorching"
};
public record WeatherForecast(DateOnly Date, int TemperatureC, string? Summary)
{
public int TemperatureF => 32 + (int)(TemperatureC / 0.5556);
}
public static WeatherForecast[] GetList()
{
var random = new Random();
return Enumerable.Range(1, 5).Select(index => new WeatherForecast
(
DateOnly.FromDateTime(DateTime.Now.AddDays(index)),
random.Next(-20, 55),
Summaries[random.Next(Summaries.Length)]
)).ToArray();
}
}

View File

@ -0,0 +1,5 @@
###
GET http://localhost:5000/api/weatherforecasts HTTP/1.1
###

19
src/appsettings.json Executable file
View File

@ -0,0 +1,19 @@
{
"Logging": {
"LogLevel": {
"Default": "Information",
"System": "Information",
"Microsoft": "Information"
},
"Console": {
"IncludeScopes": true
}
},
"AllowedHosts": "*",
"ConnectionStrings": {
"Default": "Server=.;Database=TestWeb;Trusted_Connection=True;Encrypt=False;"
},
"Jwt": {
"Key": "superdupersecretkeythatsreallyreallylong"
}
}

View File

@ -0,0 +1,26 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
<IsPackable>false</IsPackable>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="coverlet.collector" Version="6.0.2" />
<PackageReference Include="Microsoft.NET.Test.Sdk" Version="17.11.1" />
<PackageReference Include="xunit" Version="2.9.2" />
<PackageReference Include="xunit.runner.visualstudio" Version="2.8.2" />
<PackageReference Include="Microsoft.AspNetCore.Mvc.Testing" Version="9.0.0" />
</ItemGroup>
<ItemGroup>
<Using Include="Xunit" />
</ItemGroup>
<ItemGroup>
<ProjectReference Include="..\src\TestWeb.csproj" />
</ItemGroup>
</Project>

10
tests/UnitTest1.cs Normal file
View File

@ -0,0 +1,10 @@
namespace TestWeb.Tests;
public class UnitTest1
{
[Fact]
public void Test1()
{
}
}