Skip to content

Conversation

@renovate
Copy link
Contributor

@renovate renovate bot commented Jan 1, 2026

This PR contains the following updates:

Package Change Age Confidence Type Update Pending
Microsoft.Testing.Extensions.CodeCoverage 18.1.018.3.1 age confidence nuget minor
TUnit 1.7.71.9.2 age confidence nuget minor
Testcontainers.PostgreSql (source) 4.9.04.10.0 age confidence nuget minor
Testcontainers.Redis (source) 4.9.04.10.0 age confidence nuget minor
docker.io/library/postgres 17.618.1 age confidence major
docker.io/library/redis 8.28.4 age confidence minor
docker.io/minio/minio 14cea49 pinDigest
ghcr.io/open-telemetry/opentelemetry-collector-releases/opentelemetry-collector-contrib f051aff pinDigest
grafana/grafana 2175aaa pinDigest
grafana/loki cd6e176 pinDigest
grafana/tempo 6b91939 pinDigest
mcr.microsoft.com/azure-databases/data-api-builder 970dc34 pinDigest
minio/mc a7fe349 pinDigest
pnpm (source) 10.26.210.27.0 age confidence packageManager minor
prom/blackbox-exporter e753ff9 pinDigest
prom/prometheus 3ea2ed3 pinDigest
quay.io/keycloak/keycloak 26.426.5 age confidence minor
typescript-eslint (source) 8.50.18.51.0 age confidence pnpm.catalog.eslint minor 8.52.0
zod (source) 4.2.14.3.4 age confidence pnpm.catalog.default minor 4.3.5

Release Notes

thomhurst/TUnit (TUnit)

v1.9.2: 1.9.2

What's Changed

Other Changes
  • fix: add TestDataRow unwrapping to analyzer and tests for named properties by @​thomhurst in #​4227

Full Changelog: thomhurst/TUnit@v1.9.0...v1.9.2

v1.9.0: 1.9.0

What's Changed

Other Changes
  • feat: add collection assertions for Memory, Set, Dictionary, List, ReadOnlyList, and AsyncEnumerable types by @​thomhurst in #​4226
Dependencies

Full Changelog: thomhurst/TUnit@v1.8.9...v1.9.0

v1.8.9: 1.8.9

What's Changed

Other Changes
Dependencies

Full Changelog: thomhurst/TUnit@v1.8.1...v1.8.9

v1.8.1: 1.8.1

What's Changed

Other Changes
  • fix: use inline DisplayName, Skip, and Categories properties on [Arguments] attribute in NUnit migration by @​thomhurst in #​4216

Full Changelog: thomhurst/TUnit@v1.8.0...v1.8.1

v1.8.0: 1.8.0

What's Changed

Other Changes
Dependencies

Full Changelog: thomhurst/TUnit@v1.7.20...v1.8.0

v1.7.20: 1.7.20

What's Changed

Other Changes
Dependencies

Full Changelog: thomhurst/TUnit@v1.7.16...v1.7.20

v1.7.16: 1.7.16

What's Changed

Other Changes
Dependencies

Full Changelog: thomhurst/TUnit@v1.7.7...v1.7.16

testcontainers/testcontainers-dotnet (Testcontainers.PostgreSql)

v4.10.0

Compare Source

What's Changed

Happy New Year, everyone! 🎉

Please note that going forward, we expect developers to explicitly pin the image version (https://redirect.github.com/testcontainers/testcontainers-dotnet/discussions/1470). We consider this a best practice and it aligns with other language implementations.

Also, due to the recent Docker Engine v29 release, TC for .NET pins the Docker Engine API version to 1.44 (see the previous release notes). You can override this default and set it to the version you're using, ideally 1.52, which corresponds to v29, if you're already running it.

⚠️ Breaking Changes
🚀 Features
🐛 Bug Fixes
📖 Documentation
🧹 Housekeeping
pnpm/pnpm (pnpm)

v10.27.0

Compare Source

typescript-eslint/typescript-eslint (typescript-eslint)

v8.51.0

Compare Source

This was a version bump only for typescript-eslint to align it with other projects, there were no code changes.

You can read about our versioning strategy and releases on our website.

colinhacks/zod (zod)

v4.3.4

Compare Source

Commits:

v4.3.3

Compare Source

v4.3.2

Compare Source

v4.3.1

Compare Source

Commits:

  • 0fe8840 allow non-overwriting extends with refinements. 4.3.1

v4.3.0

Compare Source

This is Zod's biggest release since 4.0. It addresses several of Zod's longest-standing feature requests.

z.fromJSONSchema()

Convert JSON Schema to Zod (#​5534, #​5586)

You can now convert JSON Schema definitions directly into Zod schemas. This function supports JSON Schema "draft-2020-12", "draft-7", "draft-4", and OpenAPI 3.0.

import * as z from "zod";

const schema = z.fromJSONSchema({
  type: "object",
  properties: {
    name: { type: "string", minLength: 1 },
    age: { type: "integer", minimum: 0 },
  },
  required: ["name"],
});

schema.parse({ name: "Alice", age: 30 }); // ✅

The API should be considered experimental. There are no guarantees of 1:1 "round-trip soundness": MySchema > z.toJSONSchema() > z.fromJSONSchema(). There are several features of Zod that don't exist in JSON Schema and vice versa, which makes this virtually impossible.

Features supported:

  • All primitive types (string, number, integer, boolean, null, object, array)
  • String formats (email, uri, uuid, date-time, date, time, ipv4, ipv6, and more)
  • Composition (anyOf, oneOf, allOf)
  • Object constraints (additionalProperties, patternProperties, propertyNames)
  • Array constraints (prefixItems, items, minItems, maxItems)
  • $ref for local references and circular schemas
  • Custom metadata is preserved

z.xor() — exclusive union (#​5534)

A new exclusive union type that requires exactly one option to match. Unlike z.union() which passes if any option matches, z.xor() fails if zero or more than one option matches.

const schema = z.xor([z.string(), z.number()]);

schema.parse("hello"); // ✅
schema.parse(42);      // ✅
schema.parse(true);    // ❌ zero matches

When converted to JSON Schema, z.xor() produces oneOf instead of anyOf.

z.looseRecord() — partial record validation (#​5534)

A new record variant that only validates keys matching the key schema, passing through non-matching keys unchanged. This is used to represent patternProperties in JSON Schema.

const schema = z.looseRecord(z.string().regex(/^S_/), z.string());

schema.parse({ S_name: "John", other: 123 });
// ✅ { S_name: "John", other: 123 }
// only S_name is validated, "other" passes through

.exactOptional() — strict optional properties (#​5589)

A new wrapper that makes a property key-optional (can be omitted) but does not accept undefined as an explicit value.

const schema = z.object({
  a: z.string().optional(),      // accepts `undefined`
  b: z.string().exactOptional(), // does not accept `undefined`
});

schema.parse({});                  // ✅
schema.parse({ a: undefined });    // ✅
schema.parse({ b: undefined });    // ❌

This makes it possible to accurately represent the full spectrum of optionality expressible using exactOptionalPropertyTypes.

.apply()

A utility method for applying arbitrary transformations to a schema, enabling cleaner schema composition. (#​5463)

const setCommonChecks = <T extends z.ZodNumber>(schema: T) => {
  return schema.min(0).max(100);
};

const schema = z.number().apply(setCommonChecks).nullable();

.brand() cardinality

The .brand() method now accepts a second argument to control whether the brand applies to input, output, or both. Closes #​4764, #​4836.

// output only (default)
z.string().brand<"UserId">();           // output is branded (default)
z.string().brand<"UserId", "out">();    // output is branded
z.string().brand<"UserId", "in">();     // input is branded
z.string().brand<"UserId", "inout">();  // both are branded

Type predicates on .refine() (#​5575)

The .refine() method now supports type predicates to narrow the output type:

const schema = z.string().refine((s): s is "a" => s === "a");

type Input = z.input<typeof schema>;   // string
type Output = z.output<typeof schema>; // "a"

ZodMap methods: min, max, nonempty, size (#​5316)

ZodMap now has parity with ZodSet and ZodArray:

const schema = z.map(z.string(), z.number())
  .min(1)
  .max(10)
  .nonempty();

schema.size; // access the size constraint

.with() alias for .check() (359c0db)

A new .with() method has been added as a more readable alias for .check(). Over time, more APIs have been added that don't qualify as "checks". The new method provides a readable alternative that doesn't muddy semantics.

z.string().with(
  z.minLength(5),
  z.toLowerCase()
);

// equivalent to:
z.string().check(
  z.minLength(5),
  z.trim(),
  z.toLowerCase()
);
z.slugify() transform

Transform strings into URL-friendly slugs. Works great with .with():

// Zod
z.string().slugify().parse("Hello World");           // "hello-world"

// Zod Mini
// using .with() for explicit check composition
z.string().with(z.slugify()).parse("Hello World");   // "hello-world"

z.meta() and z.describe() in Zod Mini (947b4eb)

Zod Mini now exports z.meta() and z.describe() as top-level functions for adding metadata to schemas:

import * as z from "zod/mini";

// add description
const schema = z.string().with(
  z.describe("A user's name"),
);

// add arbitrary metadata
const schema2 = z.number().with(
  z.meta({ deprecated: true })
);

New locales

import * as z from "zod";
import { uz } from "zod/locales";

z.config(uz());






Bug fixes

All of these changes fix soundness issues in Zod. As with any bug fix there's some chance of breakage if you were intentionally or unintentionally relying on this unsound behavior.

⚠️ .pick() and .omit() disallowed on object schemas containing refinements (#​5317)

Using .pick() or .omit() on object schemas with refinements now throws an error. Previously, this would silently drop the refinements, leading to unexpected behavior.

const schema = z.object({
  password: z.string(),
  confirmPassword: z.string(),
}).refine(data => data.password === data.confirmPassword);

schema.pick({ password: true });
// 4.2: refinement silently dropped ⚠️
// 4.3: throws error ❌

Migration: The easiest way to migrate is to create a new schema using the shape of the old one.

const newSchema = z.object(schema.shape).pick({ ... })
⚠️ .extend() disallowed on refined schemas (#​5317)

Similarly, .extend() now throws on schemas with refinements. Use .safeExtend() if you need to extend refined schemas.

const schema = z.object({ a: z.string() }).refine(/* ... */);

// 4.2: refinement silently dropped ⚠️
// 4.3: throws error ✅
schema.extend({ b: z.number() });
// error: object schemas containing refinements cannot be extended. use `.safeExtend()` instead.
⚠️ Stricter object masking methods (#​5581)

Object masking methods (.pick(), .omit()) now validate that the keys provided actually exist in the schema:

const schema = z.object({ a: z.string() });

// 4.3: throws error for unrecognized keys
schema.pick({ nonexistent: true });
// error: unrecognized key: "nonexistent"

Additional changes

  • Fixed JSON Schema generation for z.iso.time with minute precision (#​5557)
  • Fixed error details for tuples with extraneous elements (#​5555)
  • Fixed includes method params typing to accept string | $ZodCheckIncludesParams (#​5556)
  • Fixed numeric formats error messages to be inclusive (#​5485)
  • Fixed implementAsync inferred type to always be a promise (#​5476)
  • Tightened E.164 regex to require a non-zero leading digit and 7–15 digits total (#​5524)
  • Fixed Dutch (nl) error strings (#​5529)
  • Convert Date instances to numbers in minimum/maximum checks (#​5351)
  • Improved numeric keys handling in z.record() (#​5585)
  • Lazy initialization of ~standard schema property (#​5363)
  • Functions marked as @__NO_SIDE_EFFECTS__ for better tree-shaking (#​5475)
  • Improved metadata tracking across child-parent relationships (#​5578)
  • Improved locale translation approach (#​5584)
  • Dropped id uniqueness enforcement at registry level (#​5574)

Configuration

📅 Schedule: Branch creation - At any time (no schedule defined), Automerge - Between 12:00 AM and 03:59 AM ( * 0-3 * * * ) in timezone Europe/Brussels.

🚦 Automerge: Disabled by config. Please merge this manually once you are satisfied.

Rebasing: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox.

👻 Immortal: This PR will be recreated if closed unmerged. Get config help if that's undesired.


  • If you want to rebase/retry this PR, check this box

This PR was generated by Mend Renovate. View the repository job log.

@github-actions
Copy link

github-actions bot commented Jan 1, 2026

Coverage Report for Frontend Vitest Coverage

Status Category Percentage Covered / Total
🟢 Lines 92.49% 419 / 453
🟢 Statements 92.24% 571 / 619
🟢 Functions 84.33% 70 / 83
🟢 Branches 80.19% 166 / 207
File Coverage
File Stmts Branches Functions Lines Uncovered Lines
Unchanged Files
Sandbox.AngularWorkspace/projects/form-validation-lib/src/lib/error.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/form-validation-lib/src/lib/field-errors.ts 100% 76.92% 100% 100%
Sandbox.AngularWorkspace/projects/form-validation-lib/src/lib/index.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/form-validation-lib/src/lib/validation-message.pipe.ts 83.33% 84.61% 100% 83.33% 16
Sandbox.AngularWorkspace/projects/form-validation-lib/src/lib/validation-messages.token.ts 50% 100% 40% 50% 14, 16, 18
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/authentication/anonymous.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/authentication/authenticated-guard.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/authentication/authenticated.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/authentication/authentication.ts 77.77% 75% 50% 66.66% 19-23
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/authentication/user.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/core/header/header.html 100% 50% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/core/header/header.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/core/theme/theme-toggle.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/core/theme/theme-toggle.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/core/theme/theme.service.ts 83.87% 54.16% 81.81% 82.75% 29, 45, 65-67
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customer-management.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customer-details/customer-details.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customer-details/customer-details.ts 100% 85.71% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customer-form/customer-form.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customer-form/customer-form.ts 97.43% 72.72% 100% 97.05% 55
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customers-list/customers-list.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customers-list/customers-list.ts 100% 85.71% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customers-overview/customers-overview.html 90.9% 100% 0% 100% 12
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/customers-overview/customers-overview.ts 80% 100% 50% 75% 18
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/models/address.model.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/models/create-customer-command.model.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/models/customer-details-response.model.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/models/customer-overview-response.model.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/models/strongly-typed-ids.model.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/shared/customer-address/customer-address.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/customer-management/shared/customer-address/customer-address.ts 100% 85.71% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/alert/alert.ts 100% 85.71% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/info-card/info-card.html 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/info-card/info-card.ts 100% 77.77% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/table/table-body-template.ts 66.66% 75% 100% 66.66% 22
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/table/table.html 50% 60% 0% 57.14% 3-7, 16, 60-78, 91-120
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/components/table/table.ts 80% 75% 0% 83.33% 22, 17
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/event-managers/index.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/event-managers/prevent-default-event.plugin.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/functions/generation.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/functions/parse.ts 100% 75% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/functions/strongly-typed-id-attribute.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/shared/operators/filter-nullish.operator.ts 100% 100% 100% 100%
Sandbox.AngularWorkspace/projects/sandbox-app/src/app/test/test-utils.ts 83.33% 50% 100% 83.33% 3
Generated in workflow #482 for commit 2861f77 by the Vitest Coverage Report Action

@renovate renovate bot force-pushed the renovate/all branch 19 times, most recently from ad43722 to 31b69f9 Compare January 6, 2026 18:31
@renovate
Copy link
Contributor Author

renovate bot commented Jan 6, 2026

Edited/Blocked Notification

Renovate will not automatically rebase this PR, because it does not recognize the last commit author and assumes somebody else may have edited the PR.

You can manually request rebase by checking the rebase/retry box above.

⚠️ Warning: custom changes will be lost.

@github-actions
Copy link

github-actions bot commented Jan 6, 2026

Summary

Summary
Generated on: 01/06/2026 - 19:58:08
Parser: MultiReport (4x Cobertura)
Assemblies: 5
Classes: 43
Files: 32
Line coverage: 83.2% (468 of 562)
Covered lines: 468
Uncovered lines: 94
Coverable lines: 562
Total lines: 1160
Branch coverage: 79.2% (122 of 154)
Covered branches: 122
Total branches: 154
Method coverage: Feature is only available for sponsors
Tag: 482_20760318260

Coverage

Sandbox.ApiService - 56.2%
Name Line Branch
Sandbox.ApiService 56.2% 47.2%
Program 70.3% 59%
Sandbox.ApiService.BearerSecuritySchemeTransformer 0% 0%
Sandbox.ApiService.ExceptionHandler 5% 0%
Sandbox.ApiService.Extensions 100% 100%
Sandbox.Modules.Billing - 65%
Name Line Branch
Sandbox.Modules.Billing 65% 100%
Sandbox.Modules.Billing.BillingModule 90% 100%
Sandbox.Modules.Billing.Data.BillingDbContext 0%
Sandbox.Modules.Billing.Handlers.CustomerCreatedHandler 100%
Sandbox.Modules.CustomerManagement - 98.5%
Name Line Branch
Sandbox.Modules.CustomerManagement 98.5% 92.8%
Sandbox.Modules.CustomerManagement.Application.CreateCustomer 100% 83.3%
Sandbox.Modules.CustomerManagement.Application.CreateCustomer.BillingAddres
s
100%
Sandbox.Modules.CustomerManagement.Application.CreateCustomer.Command 100%
Sandbox.Modules.CustomerManagement.Application.CreateCustomer.ShippingAddre
ss
100%
Sandbox.Modules.CustomerManagement.Application.DeleteCustomer 90.9% 50%
Sandbox.Modules.CustomerManagement.Application.DeleteCustomer.Command 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomer 95.8% 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomer.BillingAddress 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomer.Parameters 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomer.Response 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomer.ShippingAddress 0%
Sandbox.Modules.CustomerManagement.Application.GetCustomers 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomers.Parameters 100%
Sandbox.Modules.CustomerManagement.Application.GetCustomers.Response 100%
Sandbox.Modules.CustomerManagement.CustomerManagementModule 100% 100%
Sandbox.Modules.CustomerManagement.Data.CustomerAddressEntityConfiguration 100% 100%
Sandbox.Modules.CustomerManagement.Data.CustomerCache 100%
Sandbox.Modules.CustomerManagement.Data.CustomerDbContext 100%
Sandbox.Modules.CustomerManagement.Data.CustomerEntityConfiguration 100% 100%
Sandbox.Modules.CustomerManagement.Domain.Address 100%
Sandbox.Modules.CustomerManagement.Domain.Customer 100% 100%
Sandbox.Modules.CustomerManagement.Domain.CustomerAddress 100%
Sandbox.Modules.CustomerManagement.Domain.CustomerBillingAddress 100%
Sandbox.Modules.CustomerManagement.Domain.CustomerShippingAddress 100%
Sandbox.Modules.CustomerManagement.Domain.FullName 100%
Sandbox.Modules.CustomerManagement.Handlers.CustomerCreatedHandler 100%
Sandbox.Modules.CustomerManagement.Handlers.CustomerDeletedHandler 100%
Sandbox.ServiceDefaults - 87.2%
Name Line Branch
Sandbox.ServiceDefaults 87.2% 75%
Sandbox.ServiceDefaults.Extensions 87.2% 75%
Sandbox.ServiceDefaults.Extensions 87.2% 75%
Sandbox.SharedKernel - 95.8%
Name Line Branch
Sandbox.SharedKernel 95.8% 97.9%
Sandbox.SharedKernel.Domain.ISoftDelete 60%
Sandbox.SharedKernel.Infrastructure.Extensions 100% 100%
Sandbox.SharedKernel.Infrastructure.ModuleDbContext 100% 100%
Sandbox.SharedKernel.Infrastructure.SoftDeleteInterceptor 88.8% 90%
Sandbox.SharedKernel.Messages.CustomerCreated 100%
Sandbox.SharedKernel.Messages.CustomerDeleted 100%
Sandbox.SharedKernel.Modules.ModuleExtensions 100% 100%

@timdeschryver timdeschryver merged commit 2685280 into main Jan 6, 2026
4 of 5 checks passed
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

2 participants